Merge branch 'develop' into payment-terms
This commit is contained in:
commit
1255aa0f11
@ -4,7 +4,7 @@ import inspect
|
||||
import frappe
|
||||
from erpnext.hooks import regional_overrides
|
||||
|
||||
__version__ = '8.11.0'
|
||||
__version__ = '8.11.2'
|
||||
|
||||
def get_default_company(user=None):
|
||||
'''Get default company for user'''
|
||||
|
@ -18,8 +18,8 @@
|
||||
"bold": 0,
|
||||
"collapsible": 0,
|
||||
"columns": 0,
|
||||
"default": "1",
|
||||
"fieldname": "is_online",
|
||||
"default": "0",
|
||||
"fieldname": "use_pos_in_offline_mode",
|
||||
"fieldtype": "Check",
|
||||
"hidden": 0,
|
||||
"ignore_user_permissions": 0,
|
||||
@ -28,10 +28,9 @@
|
||||
"in_global_search": 0,
|
||||
"in_list_view": 0,
|
||||
"in_standard_filter": 0,
|
||||
"label": "Online",
|
||||
"label": "Use POS in Offline Mode",
|
||||
"length": 0,
|
||||
"no_copy": 0,
|
||||
"options": "",
|
||||
"permlevel": 0,
|
||||
"precision": "",
|
||||
"print_hide": 0,
|
||||
@ -55,7 +54,7 @@
|
||||
"issingle": 1,
|
||||
"istable": 0,
|
||||
"max_attachments": 0,
|
||||
"modified": "2017-08-30 18:34:58.960276",
|
||||
"modified": "2017-09-11 13:57:28.787023",
|
||||
"modified_by": "Administrator",
|
||||
"module": "Accounts",
|
||||
"name": "POS Settings",
|
||||
@ -81,6 +80,46 @@
|
||||
"share": 1,
|
||||
"submit": 0,
|
||||
"write": 1
|
||||
},
|
||||
{
|
||||
"amend": 0,
|
||||
"apply_user_permissions": 0,
|
||||
"cancel": 0,
|
||||
"create": 0,
|
||||
"delete": 0,
|
||||
"email": 1,
|
||||
"export": 0,
|
||||
"if_owner": 0,
|
||||
"import": 0,
|
||||
"permlevel": 0,
|
||||
"print": 1,
|
||||
"read": 1,
|
||||
"report": 0,
|
||||
"role": "Accounts User",
|
||||
"set_user_permissions": 0,
|
||||
"share": 1,
|
||||
"submit": 0,
|
||||
"write": 1
|
||||
},
|
||||
{
|
||||
"amend": 0,
|
||||
"apply_user_permissions": 0,
|
||||
"cancel": 0,
|
||||
"create": 0,
|
||||
"delete": 0,
|
||||
"email": 1,
|
||||
"export": 0,
|
||||
"if_owner": 0,
|
||||
"import": 0,
|
||||
"permlevel": 0,
|
||||
"print": 1,
|
||||
"read": 1,
|
||||
"report": 0,
|
||||
"role": "Sales User",
|
||||
"set_user_permissions": 0,
|
||||
"share": 1,
|
||||
"submit": 0,
|
||||
"write": 1
|
||||
}
|
||||
],
|
||||
"quick_entry": 1,
|
||||
|
@ -0,0 +1,9 @@
|
||||
# -*- coding: utf-8 -*-
|
||||
# Copyright (c) 2017, Frappe Technologies Pvt. Ltd. and Contributors
|
||||
# See license.txt
|
||||
from __future__ import unicode_literals
|
||||
|
||||
import unittest
|
||||
|
||||
class TestPOSSettings(unittest.TestCase):
|
||||
pass
|
@ -9,7 +9,7 @@ frappe.pages['pos'].on_page_load = function (wrapper) {
|
||||
});
|
||||
|
||||
frappe.db.get_value('POS Settings', {name: 'POS Settings'}, 'is_online', (r) => {
|
||||
if (r && r.is_online && !cint(r.is_online)) {
|
||||
if (r && r.use_pos_in_offline_mode && cint(r.use_pos_in_offline_mode)) {
|
||||
// offline
|
||||
wrapper.pos = new erpnext.pos.PointOfSale(wrapper);
|
||||
cur_pos = wrapper.pos;
|
||||
@ -741,7 +741,12 @@ erpnext.pos.PointOfSale = erpnext.taxes_and_totals.extend({
|
||||
|
||||
input = input.toLowerCase();
|
||||
item = this.get_item(item.value);
|
||||
return item.searchtext.includes(input)
|
||||
result = item ? item.searchtext.includes(input) : '';
|
||||
if(!result) {
|
||||
me.prepare_customer_mapper(input);
|
||||
} else {
|
||||
return result;
|
||||
}
|
||||
},
|
||||
item: function (item, input) {
|
||||
var d = this.get_item(item.value);
|
||||
@ -762,6 +767,9 @@ erpnext.pos.PointOfSale = erpnext.taxes_and_totals.extend({
|
||||
|
||||
this.party_field.$input
|
||||
.on('input', function (e) {
|
||||
if(me.customers_mapper.length <= 1) {
|
||||
me.prepare_customer_mapper(e.target.value);
|
||||
}
|
||||
me.party_field.awesomeplete.list = me.customers_mapper;
|
||||
})
|
||||
.on('awesomplete-select', function (e) {
|
||||
@ -802,24 +810,56 @@ erpnext.pos.PointOfSale = erpnext.taxes_and_totals.extend({
|
||||
});
|
||||
},
|
||||
|
||||
prepare_customer_mapper: function() {
|
||||
prepare_customer_mapper: function(key) {
|
||||
var me = this;
|
||||
var customer_data = '';
|
||||
|
||||
this.customers_mapper = this.customers.map(function (c) {
|
||||
contact = me.contacts[c.name];
|
||||
return {
|
||||
label: c.name,
|
||||
value: c.name,
|
||||
customer_name: c.customer_name,
|
||||
customer_group: c.customer_group,
|
||||
territory: c.territory,
|
||||
phone: contact ? contact["phone"] : '',
|
||||
mobile_no: contact ? contact["mobile_no"] : '',
|
||||
email_id: contact ? contact["email_id"] : '',
|
||||
searchtext: ['customer_name', 'customer_group', 'value',
|
||||
'label', 'email_id', 'phone', 'mobile_no']
|
||||
.map(key => c[key]).join(' ')
|
||||
.toLowerCase()
|
||||
if (key) {
|
||||
key = key.toLowerCase().trim();
|
||||
var re = new RegExp('%', 'g');
|
||||
var reg = new RegExp(key.replace(re, '\\w*\\s*[a-zA-Z0-9]*'));
|
||||
|
||||
customer_data = $.grep(this.customers, function(data) {
|
||||
contact = me.contacts[data.name];
|
||||
if(reg.test(data.name.toLowerCase())
|
||||
|| reg.test(data.customer_name.toLowerCase())
|
||||
|| (contact && reg.test(contact["mobile_no"]))
|
||||
|| (contact && reg.test(contact["phone"]))
|
||||
|| (data.customer_group && reg.test(data.customer_group.toLowerCase()))){
|
||||
return data;
|
||||
}
|
||||
})
|
||||
} else {
|
||||
customer_data = this.customers;
|
||||
}
|
||||
|
||||
this.customers_mapper = [];
|
||||
|
||||
customer_data.forEach(function (c, index) {
|
||||
if(index < 30) {
|
||||
contact = me.contacts[c.name];
|
||||
if(contact && !c['phone']) {
|
||||
c["phone"] = contact["phone"];
|
||||
c["email_id"] = contact["email_id"];
|
||||
c["mobile_no"] = contact["mobile_no"];
|
||||
}
|
||||
|
||||
me.customers_mapper.push({
|
||||
label: c.name,
|
||||
value: c.name,
|
||||
customer_name: c.customer_name,
|
||||
customer_group: c.customer_group,
|
||||
territory: c.territory,
|
||||
phone: contact ? contact["phone"] : '',
|
||||
mobile_no: contact ? contact["mobile_no"] : '',
|
||||
email_id: contact ? contact["email_id"] : '',
|
||||
searchtext: ['customer_name', 'customer_group', 'name', 'value',
|
||||
'label', 'email_id', 'phone', 'mobile_no']
|
||||
.map(key => c[key]).join(' ')
|
||||
.toLowerCase()
|
||||
});
|
||||
} else {
|
||||
return;
|
||||
}
|
||||
});
|
||||
|
||||
|
@ -99,7 +99,8 @@ def get_actual_details(name, filters):
|
||||
where
|
||||
b.name = ba.parent
|
||||
and b.docstatus = 1
|
||||
and ba.account=gl.account
|
||||
and ba.account=gl.account
|
||||
and b.{budget_against} = gl.{budget_against}
|
||||
and gl.fiscal_year=%s
|
||||
and b.{budget_against}=%s
|
||||
and exists(select name from `tab{tab}` where name=gl.{budget_against} and {cond})
|
||||
|
@ -49,7 +49,7 @@ def _execute(filters=None, additional_table_columns=None, additional_query_colum
|
||||
|
||||
row += [
|
||||
d.credit_to, d.mode_of_payment, d.project, d.company, d.purchase_order,
|
||||
purchase_receipt, expense_account, d.qty, d.stock_uom, d.base_net_rate, d.base_net_amount
|
||||
purchase_receipt, expense_account, d.stock_qty, d.stock_uom, d.base_net_rate, d.base_net_amount
|
||||
]
|
||||
|
||||
total_tax = 0
|
||||
@ -81,7 +81,7 @@ def get_columns(additional_table_columns):
|
||||
_("Mode of Payment") + ":Link/Mode of Payment:80", _("Project") + ":Link/Project:80",
|
||||
_("Company") + ":Link/Company:100", _("Purchase Order") + ":Link/Purchase Order:100",
|
||||
_("Purchase Receipt") + ":Link/Purchase Receipt:100", _("Expense Account") + ":Link/Account:140",
|
||||
_("Qty") + ":Float:120", _("Stock UOM") + "::100",
|
||||
_("Stock Qty") + ":Float:120", _("Stock UOM") + "::100",
|
||||
_("Rate") + ":Currency/currency:120", _("Amount") + ":Currency/currency:120"
|
||||
]
|
||||
|
||||
@ -112,7 +112,7 @@ def get_items(filters, additional_query_columns):
|
||||
pi_item.name, pi_item.parent, pi.posting_date, pi.credit_to, pi.company,
|
||||
pi.supplier, pi.remarks, pi.base_net_total, pi_item.item_code, pi_item.item_name,
|
||||
pi_item.item_group, pi_item.project, pi_item.purchase_order, pi_item.purchase_receipt,
|
||||
pi_item.po_detail, pi_item.expense_account, pi_item.qty, pi_item.stock_uom,
|
||||
pi_item.po_detail, pi_item.expense_account, pi_item.stock_qty, pi_item.stock_uom,
|
||||
pi_item.base_net_rate, pi_item.base_net_amount,
|
||||
pi.supplier_name, pi.mode_of_payment {0}
|
||||
from `tabPurchase Invoice` pi, `tabPurchase Invoice Item` pi_item
|
||||
|
@ -49,7 +49,7 @@ def _execute(filters=None, additional_table_columns=None, additional_query_colum
|
||||
row += [
|
||||
d.customer_group, d.debit_to, ", ".join(mode_of_payments.get(d.parent, [])),
|
||||
d.territory, d.project, d.company, d.sales_order,
|
||||
delivery_note, d.income_account, d.cost_center, d.qty, d.stock_uom,
|
||||
delivery_note, d.income_account, d.cost_center, d.stock_qty, d.stock_uom,
|
||||
d.base_net_rate, d.base_net_amount
|
||||
]
|
||||
|
||||
@ -82,7 +82,7 @@ def get_columns(additional_table_columns):
|
||||
_("Project") + ":Link/Project:80", _("Company") + ":Link/Company:100",
|
||||
_("Sales Order") + ":Link/Sales Order:100", _("Delivery Note") + ":Link/Delivery Note:100",
|
||||
_("Income Account") + ":Link/Account:140", _("Cost Center") + ":Link/Cost Center:140",
|
||||
_("Qty") + ":Float:120", _("Stock UOM") + "::100",
|
||||
_("Stock Qty") + ":Float:120", _("Stock UOM") + "::100",
|
||||
_("Rate") + ":Currency/currency:120",
|
||||
_("Amount") + ":Currency/currency:120"
|
||||
]
|
||||
@ -118,7 +118,7 @@ def get_items(filters, additional_query_columns):
|
||||
si.customer, si.remarks, si.territory, si.company, si.base_net_total,
|
||||
si_item.item_code, si_item.item_name, si_item.item_group, si_item.sales_order,
|
||||
si_item.delivery_note, si_item.income_account, si_item.cost_center,
|
||||
si_item.qty, si_item.stock_uom, si_item.base_net_rate, si_item.base_net_amount,
|
||||
si_item.stock_qty, si_item.stock_uom, si_item.base_net_rate, si_item.base_net_amount,
|
||||
si.customer_name, si.customer_group, si_item.so_detail, si.update_stock {0}
|
||||
from `tabSales Invoice` si, `tabSales Invoice Item` si_item
|
||||
where si.name = si_item.parent and si.docstatus = 1 %s
|
||||
|
@ -12,11 +12,11 @@ frappe.ui.form.on("Request for Quotation",{
|
||||
'Supplier Quotation': 'Supplier Quotation'
|
||||
}
|
||||
|
||||
frm.fields_dict["suppliers"].grid.get_field("contact").get_query = function(doc, cdt, cdn){
|
||||
var d =locals[cdt][cdn];
|
||||
frm.fields_dict["suppliers"].grid.get_field("contact").get_query = function(doc, cdt, cdn) {
|
||||
let d = locals[cdt][cdn];
|
||||
return {
|
||||
query: "erpnext.buying.doctype.request_for_quotation.request_for_quotation.get_supplier_contacts",
|
||||
filters: {'supplier': doc.supplier}
|
||||
filters: {'supplier': d.supplier}
|
||||
}
|
||||
}
|
||||
},
|
||||
|
@ -204,9 +204,9 @@ def get_list_context(context=None):
|
||||
return list_context
|
||||
|
||||
def get_supplier_contacts(doctype, txt, searchfield, start, page_len, filters):
|
||||
return frappe.db.sql(""" select `tabContact`.name from `tabContact`, `tabDynamic Link`
|
||||
where `tabDynamic Link`.link_doctype = 'Supplier' and (`tabDynamic Link`.link_name = %(name)s
|
||||
or `tabDynamic Link`.link_name like %(txt)s) and `tabContact`.name = `tabDynamic Link`.parent
|
||||
return frappe.db.sql("""select `tabContact`.name from `tabContact`, `tabDynamic Link`
|
||||
where `tabDynamic Link`.link_doctype = 'Supplier' and (`tabDynamic Link`.link_name=%(name)s
|
||||
and `tabDynamic Link`.link_name like %(txt)s) and `tabContact`.name = `tabDynamic Link`.parent
|
||||
limit %(start)s, %(page_len)s""", {"start": start, "page_len":page_len, "txt": "%%%s%%" % txt, "name": filters.get('supplier')})
|
||||
|
||||
# This method is used to make supplier quotation from material request form.
|
||||
|
@ -65,7 +65,7 @@ QUnit.test("test: request_for_quotation", function(assert) {
|
||||
assert.ok(cur_frm.doc.docstatus == 1, "Quotation request submitted");
|
||||
},
|
||||
() => frappe.click_button('Send Supplier Emails'),
|
||||
() => frappe.timeout(3),
|
||||
() => frappe.timeout(4),
|
||||
() => {
|
||||
assert.ok($('div.modal.fade.in > div.modal-dialog > div > div.modal-body.ui-front > div.msgprint').text().includes("Email sent to supplier Test Supplier"), "Send emails working");
|
||||
},
|
||||
|
@ -5,7 +5,7 @@ from __future__ import unicode_literals
|
||||
import json
|
||||
import frappe
|
||||
from frappe import _
|
||||
from frappe.utils import flt
|
||||
from frappe.utils import flt, has_common
|
||||
from frappe.utils.user import is_website_user
|
||||
|
||||
def get_list_context(context=None):
|
||||
@ -55,14 +55,16 @@ def get_transaction_list(doctype, txt=None, filters=None, limit_start=0, limit_p
|
||||
return post_process(doctype, get_list_for_transactions(doctype, txt, filters, limit_start, limit_page_length,
|
||||
fields="name", order_by="modified desc"))
|
||||
|
||||
def get_list_for_transactions(doctype, txt, filters, limit_start, limit_page_length=20, ignore_permissions=False,fields=None, order_by=None):
|
||||
def get_list_for_transactions(doctype, txt, filters, limit_start, limit_page_length=20,
|
||||
ignore_permissions=False,fields=None, order_by=None):
|
||||
""" Get List of transactions like Invoices, Orders """
|
||||
from frappe.www.list import get_list
|
||||
meta = frappe.get_meta(doctype)
|
||||
data = []
|
||||
or_filters = []
|
||||
|
||||
for d in get_list(doctype, txt, filters=filters, fields="name", limit_start=limit_start,
|
||||
limit_page_length=limit_page_length, ignore_permissions=True, order_by="modified desc"):
|
||||
limit_page_length=limit_page_length, ignore_permissions=ignore_permissions, order_by="modified desc"):
|
||||
data.append(d)
|
||||
|
||||
if txt:
|
||||
@ -74,9 +76,9 @@ def get_list_for_transactions(doctype, txt, filters, limit_start, limit_page_len
|
||||
or_filters.append([doctype, "name", "=", child.parent])
|
||||
|
||||
if or_filters:
|
||||
for r in frappe.get_list(doctype, fields=fields,filters=filters, or_filters=or_filters, limit_start=limit_start,
|
||||
limit_page_length=limit_page_length, ignore_permissions=ignore_permissions,
|
||||
order_by=order_by):
|
||||
for r in frappe.get_list(doctype, fields=fields,filters=filters, or_filters=or_filters,
|
||||
limit_start=limit_start, limit_page_length=limit_page_length,
|
||||
ignore_permissions=ignore_permissions, order_by=order_by):
|
||||
data.append(r)
|
||||
|
||||
return data
|
||||
@ -124,13 +126,30 @@ def post_process(doctype, data):
|
||||
return result
|
||||
|
||||
def get_customers_suppliers(doctype, user):
|
||||
customers = []
|
||||
suppliers = []
|
||||
meta = frappe.get_meta(doctype)
|
||||
contacts = frappe.db.sql(""" select `tabContact`.email_id, `tabDynamic Link`.link_doctype, `tabDynamic Link`.link_name
|
||||
from `tabContact`, `tabDynamic Link` where
|
||||
`tabContact`.name = `tabDynamic Link`.parent and `tabContact`.email_id =%s """, user, as_dict=1)
|
||||
|
||||
customers = [c.link_name for c in contacts if c.link_doctype == 'Customer'] if meta.get_field("customer") else None
|
||||
suppliers = [c.link_name for c in contacts if c.link_doctype == 'Supplier'] if meta.get_field("supplier") else None
|
||||
if has_common(["Supplier", "Customer"], frappe.get_roles(user)):
|
||||
contacts = frappe.db.sql("""
|
||||
select
|
||||
`tabContact`.email_id,
|
||||
`tabDynamic Link`.link_doctype,
|
||||
`tabDynamic Link`.link_name
|
||||
from
|
||||
`tabContact`, `tabDynamic Link`
|
||||
where
|
||||
`tabContact`.name=`tabDynamic Link`.parent and `tabContact`.email_id =%s
|
||||
""", user, as_dict=1)
|
||||
customers = [c.link_name for c in contacts if c.link_doctype == 'Customer'] \
|
||||
if meta.get_field("customer") else None
|
||||
suppliers = [c.link_name for c in contacts if c.link_doctype == 'Supplier'] \
|
||||
if meta.get_field("supplier") else None
|
||||
elif frappe.has_permission(doctype, 'read', user=user):
|
||||
customers = [customer.name for customer in frappe.get_list("Customer")] \
|
||||
if meta.get_field("customer") else None
|
||||
suppliers = [supplier.name for supplier in frappe.get_list("Customer")] \
|
||||
if meta.get_field("supplier") else None
|
||||
|
||||
return customers, suppliers
|
||||
|
||||
|
@ -42,7 +42,7 @@ update_and_get_user_progress = "erpnext.utilities.user_progress_utils.update_def
|
||||
on_session_creation = "erpnext.shopping_cart.utils.set_cart_count"
|
||||
on_logout = "erpnext.shopping_cart.utils.clear_cart_count"
|
||||
|
||||
treeviews = ['Account', 'Cost Center', 'Warehouse', 'Item Group', 'Customer Group', 'Sales Person', 'Territory', "BOM"]
|
||||
treeviews = ['Account', 'Cost Center', 'Warehouse', 'Item Group', 'Customer Group', 'Sales Person', 'Territory']
|
||||
|
||||
# website
|
||||
update_website_context = "erpnext.shopping_cart.utils.update_website_context"
|
||||
|
@ -14,8 +14,12 @@ QUnit.test("Test: Attendance [HR]", function (assert) {
|
||||
"Form for new Attendance opened successfully."),
|
||||
// set values in form
|
||||
() => cur_frm.set_value("company", "Test Company"),
|
||||
() => frappe.db.get_value('Employee', {'employee_name':'Test Employee 1'}, 'name'),
|
||||
(employee) => cur_frm.set_value("employee", employee.message.name),
|
||||
() => {
|
||||
frappe.db.get_value('Employee', {'employee_name':'Test Employee 1'}, 'name', function(r) {
|
||||
cur_frm.set_value("employee", r.name)
|
||||
});
|
||||
},
|
||||
() => frappe.timeout(1),
|
||||
() => cur_frm.save(),
|
||||
() => frappe.timeout(1),
|
||||
// check docstatus of attendance before submit [Draft]
|
||||
|
@ -38,9 +38,23 @@ QUnit.test("Test: Employee attendance tool [HR]", function (assert) {
|
||||
() => frappe.set_route("List", "Attendance", "List"),
|
||||
() => frappe.timeout(1),
|
||||
() => {
|
||||
let marked_attendance = cur_list.data.filter(d => d.attendance_date == date_of_attendance);
|
||||
assert.equal(marked_attendance.length, 3,
|
||||
'all the attendance are marked for correct date');
|
||||
return frappe.call({
|
||||
method: "frappe.client.get_list",
|
||||
args: {
|
||||
doctype: "Employee",
|
||||
filters: {
|
||||
"branch": "Test Branch",
|
||||
"department": "Test Department",
|
||||
"company": "Test Company",
|
||||
"status": "Active"
|
||||
}
|
||||
},
|
||||
callback: function(r) {
|
||||
let marked_attendance = cur_list.data.filter(d => d.attendance_date == date_of_attendance);
|
||||
assert.equal(marked_attendance.length, r.message.length,
|
||||
'all the attendance are marked for correct date');
|
||||
}
|
||||
});
|
||||
},
|
||||
() => done()
|
||||
]);
|
||||
|
@ -10,8 +10,12 @@ QUnit.test("Test: Leave allocation [HR]", function (assert) {
|
||||
() => frappe.set_route("List", "Leave Allocation", "List"),
|
||||
() => frappe.new_doc("Leave Allocation"),
|
||||
() => frappe.timeout(1),
|
||||
() => frappe.db.get_value('Employee', {'employee_name':'Test Employee 1'}, 'name'),
|
||||
(employee) => cur_frm.set_value("employee", employee.message.name),
|
||||
() => {
|
||||
frappe.db.get_value('Employee', {'employee_name':'Test Employee 1'}, 'name', function(r) {
|
||||
cur_frm.set_value("employee", r.name)
|
||||
});
|
||||
},
|
||||
() => frappe.timeout(1),
|
||||
() => cur_frm.set_value("leave_type", "Test Leave type"),
|
||||
() => cur_frm.set_value("to_date", frappe.datetime.add_months(today_date, 2)), // for two months
|
||||
() => cur_frm.set_value("description", "This is just for testing"),
|
||||
|
@ -21,15 +21,29 @@ QUnit.test("Test: Leave control panel [HR]", function (assert) {
|
||||
// allocate leaves
|
||||
() => frappe.click_button('Allocate'),
|
||||
() => frappe.timeout(1),
|
||||
() => assert.equal("Message", cur_dialog.title,
|
||||
"leave alloction message shown"),
|
||||
() => assert.equal("Message", cur_dialog.title, "leave alloction message shown"),
|
||||
() => frappe.click_button('Close'),
|
||||
() => frappe.set_route("List", "Leave Allocation", "List"),
|
||||
() => frappe.timeout(1),
|
||||
() => {
|
||||
let leave_allocated = cur_list.data.filter(d => d.leave_type == "Test Leave type");
|
||||
assert.equal(3, leave_allocated.length,
|
||||
'leave allocation successfully done for all the employees');
|
||||
return frappe.call({
|
||||
method: "frappe.client.get_list",
|
||||
args: {
|
||||
doctype: "Employee",
|
||||
filters: {
|
||||
"branch": "Test Branch",
|
||||
"department": "Test Department",
|
||||
"company": "Test Company",
|
||||
"designation": "Test Designation",
|
||||
"status": "Active"
|
||||
}
|
||||
},
|
||||
callback: function(r) {
|
||||
let leave_allocated = cur_list.data.filter(d => d.leave_type == "Test Leave type");
|
||||
assert.equal(r.message.length, leave_allocated.length,
|
||||
'leave allocation successfully done for all the employees');
|
||||
}
|
||||
});
|
||||
},
|
||||
() => done()
|
||||
]);
|
||||
|
@ -376,19 +376,20 @@ class ProductionPlanningTool(Document):
|
||||
else:
|
||||
bom_wise_item_details[d.item_code] = d
|
||||
|
||||
if include_sublevel:
|
||||
if include_sublevel and d.default_bom:
|
||||
if ((d.default_material_request_type == "Purchase" and d.is_sub_contracted and supply_subs)
|
||||
or (d.default_material_request_type == "Manufacture")):
|
||||
|
||||
my_qty = 0
|
||||
projected_qty = self.get_item_projected_qty(d.item_code)
|
||||
|
||||
if self.create_material_requests_for_all_required_qty:
|
||||
my_qty = d.qty
|
||||
elif (bom_wise_item_details[d.item_code].qty - d.qty) < projected_qty:
|
||||
my_qty = bom_wise_item_details[d.item_code].qty - projected_qty
|
||||
else:
|
||||
my_qty = d.qty
|
||||
total_required_qty = flt(bom_wise_item_details.get(d.item_code, frappe._dict()).qty)
|
||||
if (total_required_qty - d.qty) < projected_qty:
|
||||
my_qty = total_required_qty - projected_qty
|
||||
else:
|
||||
my_qty = d.qty
|
||||
|
||||
if my_qty > 0:
|
||||
self.get_subitems(bom_wise_item_details,
|
||||
@ -483,14 +484,15 @@ class ProductionPlanningTool(Document):
|
||||
return items_to_be_requested
|
||||
|
||||
def get_item_projected_qty(self,item):
|
||||
conditions = ""
|
||||
if self.purchase_request_for_warehouse:
|
||||
conditions = " and warehouse='{0}'".format(frappe.db.escape(self.purchase_request_for_warehouse))
|
||||
|
||||
item_projected_qty = frappe.db.sql("""
|
||||
select ifnull(sum(projected_qty),0) as qty
|
||||
from `tabBin`
|
||||
where item_code = %(item_code)s and warehouse=%(warehouse)s
|
||||
""", {
|
||||
"item_code": item,
|
||||
"warehouse": self.purchase_request_for_warehouse
|
||||
}, as_dict=1)
|
||||
where item_code = %(item_code)s {conditions}
|
||||
""".format(conditions=conditions), { "item_code": item }, as_dict=1)
|
||||
|
||||
return item_projected_qty[0].qty
|
||||
|
||||
|
@ -435,7 +435,7 @@ erpnext.patches.v8_5.remove_project_type_property_setter
|
||||
erpnext.patches.v8_7.add_more_gst_fields
|
||||
erpnext.patches.v8_7.fix_purchase_receipt_status
|
||||
erpnext.patches.v8_6.rename_bom_update_tool
|
||||
erpnext.patches.v8_7.set_offline_in_pos_settings
|
||||
erpnext.patches.v8_7.set_offline_in_pos_settings #11-09-17
|
||||
erpnext.patches.v8_9.add_setup_progress_actions
|
||||
erpnext.patches.v8_9.rename_company_sales_target_field
|
||||
erpnext.patches.v8_8.set_bom_rate_as_per_uom
|
||||
|
@ -9,7 +9,8 @@ from frappe.model.mapper import get_mapped_doc
|
||||
|
||||
def execute():
|
||||
# for converting student batch into student group
|
||||
for doctype in ["Student Group", "Student Group Student", "Student Group Instructor", "Student Attendance", "Student"]:
|
||||
for doctype in ["Student Group", "Student Group Student",
|
||||
"Student Group Instructor", "Student Attendance", "Student", "Student Batch Name"]:
|
||||
frappe.reload_doc("schools", "doctype", frappe.scrub(doctype))
|
||||
|
||||
if frappe.db.table_exists("Student Batch"):
|
||||
@ -39,8 +40,10 @@ def execute():
|
||||
student.update({"group_roll_number": i+1})
|
||||
doc.extend("students", student_list)
|
||||
|
||||
instructor_list = frappe.db.sql('''select instructor, instructor_name from `tabStudent Batch Instructor`
|
||||
where parent=%s''', (doc.student_group_name), as_dict=1)
|
||||
instructor_list = None
|
||||
if frappe.db.table_exists("Student Batch Instructor"):
|
||||
instructor_list = frappe.db.sql('''select instructor, instructor_name from `tabStudent Batch Instructor`
|
||||
where parent=%s''', (doc.student_group_name), as_dict=1)
|
||||
if instructor_list:
|
||||
doc.extend("instructors", instructor_list)
|
||||
doc.save()
|
||||
|
@ -8,5 +8,5 @@ def execute():
|
||||
frappe.reload_doc('accounts', 'doctype', 'pos_settings')
|
||||
|
||||
doc = frappe.get_doc('POS Settings')
|
||||
doc.is_online = 0
|
||||
doc.use_pos_in_offline_mode = 1
|
||||
doc.save()
|
@ -78,7 +78,8 @@ def add_print_formats():
|
||||
|
||||
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', print_hide=1)
|
||||
fieldtype='Data', options='item_code.gst_hsn_code', insert_after='description',
|
||||
allow_on_submit=1, print_hide=1)
|
||||
invoice_gst_fields = [
|
||||
dict(fieldname='gst_section', label='GST Details', fieldtype='Section Break',
|
||||
insert_after='select_print_heading', print_hide=1, collapsible=1),
|
||||
|
@ -1,5 +1,5 @@
|
||||
{
|
||||
"align_labels_left": 0,
|
||||
"align_labels_right": 0,
|
||||
"creation": "2017-07-04 16:26:21.120187",
|
||||
"custom_format": 0,
|
||||
"disabled": 0,
|
||||
@ -7,10 +7,10 @@
|
||||
"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\": \"serial_no\", \"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\"}]",
|
||||
"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\"}, {\"print_hide\": 0, \"fieldname\": \"reverse_charge\", \"label\": \"Reverse Charge\"}, {\"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\": \"serial_no\", \"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-08-29 13:58:58.503343",
|
||||
"modified": "2017-09-11 14:56:25.303797",
|
||||
"modified_by": "Administrator",
|
||||
"module": "Regional",
|
||||
"name": "GST Tax Invoice",
|
||||
|
@ -30,7 +30,7 @@ QUnit.test("test: quotation", function (assert) {
|
||||
() => cur_frm.doc.items[0].rate = 200,
|
||||
() => frappe.timeout(0.3),
|
||||
() => cur_frm.set_value("tc_name", "Test Term 1"),
|
||||
() => frappe.timeout(0.3),
|
||||
() => frappe.timeout(0.5),
|
||||
() => cur_frm.save(),
|
||||
() => {
|
||||
// Check Address and Contact Info
|
||||
|
@ -27,7 +27,12 @@ QUnit.test("test sales order", function(assert) {
|
||||
},
|
||||
() => {
|
||||
return frappe.tests.set_form_values(cur_frm, [
|
||||
{selling_price_list:'Test-Selling-USD'},
|
||||
{selling_price_list:'Test-Selling-USD'}
|
||||
]);
|
||||
},
|
||||
() => frappe.timeout(.5),
|
||||
() => {
|
||||
return frappe.tests.set_form_values(cur_frm, [
|
||||
{currency: 'USD'},
|
||||
{apply_discount_on:'Grand Total'},
|
||||
{additional_discount_percentage:10}
|
||||
|
@ -9,7 +9,7 @@ frappe.pages['point-of-sale'].on_page_load = function(wrapper) {
|
||||
});
|
||||
|
||||
frappe.db.get_value('POS Settings', {name: 'POS Settings'}, 'is_online', (r) => {
|
||||
if (r && r.is_online && cint(r.is_online)) {
|
||||
if (r && r.use_pos_in_offline_mode && !cint(r.use_pos_in_offline_mode)) {
|
||||
// online
|
||||
wrapper.pos = new erpnext.pos.PointOfSale(wrapper);
|
||||
window.cur_pos = wrapper.pos;
|
||||
|
@ -4,14 +4,27 @@
|
||||
"docstatus": 0,
|
||||
"doctype": "Page",
|
||||
"idx": 0,
|
||||
"modified": "2017-08-07 17:08:56.737947",
|
||||
"modified": "2017-09-11 13:49:05.415211",
|
||||
"modified_by": "Administrator",
|
||||
"module": "Selling",
|
||||
"name": "point-of-sale",
|
||||
"owner": "Administrator",
|
||||
"page_name": "Point of Sale",
|
||||
"restrict_to_domain": "Retail",
|
||||
"roles": [],
|
||||
"roles": [
|
||||
{
|
||||
"role": "Accounts User"
|
||||
},
|
||||
{
|
||||
"role": "Accounts Manager"
|
||||
},
|
||||
{
|
||||
"role": "Sales User"
|
||||
},
|
||||
{
|
||||
"role": "Sales Manager"
|
||||
}
|
||||
],
|
||||
"script": null,
|
||||
"standard": "Yes",
|
||||
"style": null,
|
||||
|
@ -1,17 +0,0 @@
|
||||
QUnit.test("test:POS Settings", function(assert) {
|
||||
assert.expect(1);
|
||||
let done = assert.async();
|
||||
|
||||
frappe.run_serially([
|
||||
() => frappe.set_route('Form', 'POS Settings'),
|
||||
() => cur_frm.set_value('is_online', 1),
|
||||
() => frappe.timeout(0.2),
|
||||
() => cur_frm.save(),
|
||||
() => frappe.timeout(1),
|
||||
() => frappe.ui.toolbar.clear_cache(),
|
||||
() => frappe.timeout(10),
|
||||
() => assert.ok(cur_frm.doc.is_online==1, "Enabled online"),
|
||||
() => frappe.timeout(2),
|
||||
() => done()
|
||||
]);
|
||||
});
|
@ -17,12 +17,14 @@ def run_setup_wizard_test():
|
||||
# Language slide
|
||||
driver.set_select("language", "English (United States)")
|
||||
driver.wait_for_ajax(True)
|
||||
driver.wait_for('.next-btn', timeout=100)
|
||||
driver.wait_till_clickable(".next-btn").click()
|
||||
|
||||
# Region slide
|
||||
driver.wait_for_ajax(True)
|
||||
driver.set_select("country", "India")
|
||||
driver.wait_for_ajax(True)
|
||||
driver.wait_for('.next-btn', timeout=100)
|
||||
driver.wait_till_clickable(".next-btn").click()
|
||||
|
||||
# Profile slide
|
||||
|
@ -240,7 +240,8 @@ def has_duplicate_serial_no(sn, sle):
|
||||
|
||||
status = False
|
||||
if sn.purchase_document_no:
|
||||
if sle.voucher_type in ['Purchase Receipt', 'Stock Entry']:
|
||||
if sle.voucher_type in ['Purchase Receipt', 'Stock Entry'] and \
|
||||
sn.delivery_document_type not in ['Purchase Receipt', 'Stock Entry']:
|
||||
status = True
|
||||
|
||||
if status and sle.voucher_type == 'Stock Entry' and \
|
||||
|
@ -23,7 +23,7 @@
|
||||
{% if tax_details %}
|
||||
<td class='text-right'>
|
||||
{% if tax_details.tax_rate or not tax_details.tax_amount %}
|
||||
({{ tax_details.tax_rate }}%)<br>
|
||||
({{ tax_details.tax_rate }}%)
|
||||
{% endif %}
|
||||
{{ frappe.utils.fmt_money(tax_details.tax_amount, None, company_currency) }}
|
||||
</td>
|
||||
|
@ -50,7 +50,6 @@ erpnext/schools/doctype/room/test_room.js
|
||||
erpnext/schools/doctype/instructor/test_instructor.js
|
||||
erpnext/stock/doctype/warehouse/test_warehouse.js
|
||||
erpnext/manufacturing/doctype/production_order/test_production_order.js #long
|
||||
erpnext/selling/page/point_of_sale/tests/test_pos_settings.js
|
||||
erpnext/selling/page/point_of_sale/tests/test_point_of_sale.js
|
||||
erpnext/accounts/page/pos/test_pos.js
|
||||
erpnext/selling/doctype/product_bundle/test_product_bundle.js
|
||||
|
4754
erpnext/translations/af.csv
Normal file
4754
erpnext/translations/af.csv
Normal file
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
@ -16,7 +16,7 @@ DocType: Sales Order,% Delivered,% Leveres
|
||||
DocType: Lead,Lead Owner,Bly Owner
|
||||
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 +293, or ,o
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +280, 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
|
||||
@ -25,6 +25,5 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard S
|
||||
,Lead Details,Bly Detaljer
|
||||
DocType: Selling Settings,Settings for Selling Module,Indstillinger for Selling modul
|
||||
,Lead Name,Bly navn
|
||||
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,'Notification Email Adresser' er ikke angivet for tilbagevendende %s
|
||||
DocType: Vehicle Service,Half Yearly,Halvdelen Årlig
|
||||
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Vedhæfte .csv fil med to kolonner, en for det gamle navn og et til det nye navn"
|
||||
|
|
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
0
erpnext/translations/es-BO.csv
Normal file
0
erpnext/translations/es-BO.csv
Normal file
|
0
erpnext/translations/es-CO.csv
Normal file
0
erpnext/translations/es-CO.csv
Normal file
|
0
erpnext/translations/es-DO.csv
Normal file
0
erpnext/translations/es-DO.csv
Normal file
|
0
erpnext/translations/es-EC.csv
Normal file
0
erpnext/translations/es-EC.csv
Normal file
|
@ -70,4 +70,4 @@ apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60
|
||||
DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Para Grupo de Estudiantes por Curso, el Curso será validado para cada Estudiante de los Cursos inscritos en la Inscripción del Programa."
|
||||
DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Para grupo de estudiantes por lotes, el lote de estudiantes se validará para cada estudiante de la inscripción del programa."
|
||||
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Leave Encashment,Cobro de Permiso
|
||||
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +982,Select Items based on Delivery Date,Seleccionar Artículos según la fecha de entrega
|
||||
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +988,Select Items based on Delivery Date,Seleccionar Artículos según la fecha de entrega
|
||||
|
|
@ -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 +575,'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 +562,'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
|
||||
|
|
@ -41,8 +41,8 @@ DocType: Company,Retail,venta al por menor
|
||||
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 +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.js +84,Delete all the Transactions for this Company,Eliminar todas las transacciones para esta empresa
|
||||
apps/erpnext/erpnext/subscription/doctype/subscription/subscription.py +175,New {0}: #{1},Nuevo {0}: # {1}
|
||||
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
|
||||
@ -138,7 +138,7 @@ DocType: Purchase Taxes and Charges Template,Purchase Taxes and Charges Template
|
||||
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 +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/setup/doctype/company/company.js +77,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
|
||||
@ -146,7 +146,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot
|
||||
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +400,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 +289,Row {0}: Conversion Factor is mandatory,Fila {0}: Factor de conversión es obligatoria
|
||||
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +811,Purchase Receipt,Recibos de Compra
|
||||
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Purchase Receipt,Recibos de Compra
|
||||
DocType: Pricing Rule,Disable,Inhabilitar
|
||||
DocType: Item Website Specification,Table for Item that will be shown in Web Site,Tabla de Artículo que se muestra en el Sitio Web
|
||||
DocType: Attendance,Leave Type,Tipo de Vacaciones
|
||||
@ -175,7 +175,7 @@ DocType: Pricing Rule,Discount on Price List Rate (%),Descuento sobre la tarifa
|
||||
apps/erpnext/erpnext/public/js/setup_wizard.js +102,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 +420,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 +407,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
|
||||
@ -183,7 +183,7 @@ DocType: Company,Default Currency,Moneda Predeterminada
|
||||
apps/erpnext/erpnext/accounts/doctype/account/account.js +41,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 +233,Purchase Receipt {0} is not submitted,Recibo de Compra {0} no se presenta
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,Cuenta: {0} con moneda: {1} no puede ser seleccionada
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +677,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
|
||||
@ -200,7 +200,7 @@ 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 +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/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."
|
||||
apps/erpnext/erpnext/setup/doctype/company/company.js +62,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 +118,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"
|
||||
@ -209,7 +209,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {
|
||||
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 +106,What does it do?,¿Qué hace?
|
||||
DocType: Task,Actual Time (in Hours),Tiempo actual (En horas)
|
||||
apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +749,Make Sales Order,Hacer Orden de Venta
|
||||
apps/erpnext/erpnext/utilities/activation.py +83,Make Sales Order,Hacer Orden de Venta
|
||||
apps/erpnext/erpnext/utilities/user_progress.py +39,List a few of your customers. They could be organizations or individuals.,Enumere algunos de sus clientes. Pueden ser organizaciones o individuos.
|
||||
DocType: Item Customer Detail,Ref Code,Código Referencia
|
||||
DocType: Item,Default Selling Cost Center,Centros de coste por defecto
|
||||
@ -258,7 +258,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No
|
||||
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/public/js/controllers/transaction.js +1094,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 +1098,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
|
||||
@ -276,7 +276,7 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director
|
||||
DocType: Item,Copy From Item Group,Copiar de Grupo de Elementos
|
||||
apps/erpnext/erpnext/stock/get_item_details.py +527,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 +167,{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 +863,Select Item for Transfer,Seleccionar elemento de Transferencia
|
||||
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +868,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
|
||||
DocType: Buying Settings,Settings for Buying Module,Ajustes para la compra de módulo
|
||||
DocType: Sales Person,Sales Person Targets,Metas de Vendedor
|
||||
@ -313,7 +313,7 @@ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purc
|
||||
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
|
||||
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +916,Supplier Quotation,Cotizaciónes a Proveedores
|
||||
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +921,Supplier Quotation,Cotizaciónes a Proveedores
|
||||
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +29,Activity Cost exists for Employee {0} against Activity Type - {1},Existe un costo de actividad para el empleado {0} contra el tipo de actividad - {1}
|
||||
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Establecer objetivos artículo grupo que tienen para este vendedor.
|
||||
DocType: Stock Entry,Total Value Difference (Out - In),Diferencia (Salidas - Entradas)
|
||||
@ -414,7 +414,7 @@ apps/erpnext/erpnext/accounts/general_ledger.py +142,Please mention Round Off Ac
|
||||
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 +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 +169,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/manufacturing/doctype/bom/bom.js +200,You can not change rate if BOM mentioned agianst any item,No se puede cambiar la tasa si hay una Solicitud de Materiales contra cualquier artículo
|
||||
DocType: Account,Accounts,Contabilidad
|
||||
DocType: Workstation,per hour,por horas
|
||||
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,Establecer como Cerrada
|
||||
@ -451,13 +451,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New
|
||||
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 +494,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 +496,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/selling/doctype/quotation/quotation.py +201,Please create Customer from Lead {0},"Por favor, cree Cliente de la Oportunidad {0}"
|
||||
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +204,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
|
||||
DocType: Payment Gateway Account,Payment Account,Pago a cuenta
|
||||
@ -537,7 +537,7 @@ apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Sup
|
||||
DocType: Stock Entry,Subcontract,Subcontrato
|
||||
DocType: Customer,From Lead,De la iniciativa
|
||||
DocType: GL Entry,Party,Socio
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Actualización de Costos
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +72,Update Cost,Actualización de Costos
|
||||
DocType: BOM,Last Purchase Rate,Tasa de Cambio de la Última Compra
|
||||
DocType: Bin,Actual Quantity,Cantidad actual
|
||||
DocType: Asset Movement,Stock Manager,Gerente
|
||||
@ -613,7 +613,6 @@ 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 +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
|
||||
@ -742,7 +741,7 @@ DocType: Process Payroll,Create Bank Entry for the total salary paid for the abo
|
||||
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 +670,"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 +657,"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
|
||||
@ -792,7 +791,7 @@ 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/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} contra Factura {1} de fecha {2}
|
||||
apps/erpnext/erpnext/utilities/user_progress.py +92,Your Products or Services,Sus productos o servicios
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} es obligatorio. Tal vez tipo de cambio no se ha creado para {1} en {2}.
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +638,{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 +20,No address added yet.,No se ha añadido ninguna dirección todavía.
|
||||
,Terretory,Territorios
|
||||
@ -812,7 +811,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Requir
|
||||
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 +229,Purchase Order {0} is not submitted,La órden de compra {0} no existe
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +292,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/controllers/accounts_controller.py +279,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 +73, 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,7 +837,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,
|
||||
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 +287,Raw Materials cannot be blank.,Materias primas no pueden estar en blanco.
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +299,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
|
||||
@ -854,7 +853,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoi
|
||||
DocType: GL Entry,Is Opening,Es apertura
|
||||
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
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +110,Due Date is mandatory,La fecha de vencimiento es obligatorio
|
||||
,Sales Person-wise Transaction Summary,Resumen de Transacción por Vendedor
|
||||
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Reordenar Cantidad
|
||||
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.
|
||||
@ -893,7 +892,6 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +364,{0} ag
|
||||
DocType: Production Order,Manufactured Qty,Cantidad Fabricada
|
||||
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Lista de Materiales (LdM)
|
||||
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,Libro Mayor
|
||||
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,'Correo electrónico de notificación' no ha sido especificado para %s recurrentes
|
||||
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +42,Serial No is mandatory for Item {0},No de serie es obligatoria para el elemento {0}
|
||||
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,Establecer como abierto
|
||||
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Requerido Por
|
||||
@ -938,7 +936,7 @@ DocType: Account,Round Off,Redondear
|
||||
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 +561,BOM {0} must be submitted,La lista de materiales (LdM) {0} debe ser enviada
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +577,BOM {0} must be submitted,La lista de materiales (LdM) {0} debe ser enviada
|
||||
apps/erpnext/erpnext/controllers/buying_controller.py +159,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
|
||||
@ -980,12 +978,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +246,Agains
|
||||
apps/erpnext/erpnext/controllers/buying_controller.py +295,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 +531,"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 +533,"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 +882,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 +806,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
|
||||
@ -1035,7 +1032,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity
|
||||
apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +555,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 +861,Delivery Note,Notas de Entrega
|
||||
apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +865,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
|
||||
|
|
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
@ -71,20 +71,20 @@ DocType: Appraisal Goal,Score (0-5),ציון (0-5)
|
||||
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 +154,Please select Price List,אנא בחר מחירון
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +157,Please select Price List,אנא בחר מחירון
|
||||
DocType: Production Order Operation,Work In Progress,עבודה בתהליך
|
||||
DocType: Employee,Holiday List,רשימת החג
|
||||
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +118,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}
|
||||
apps/erpnext/erpnext/subscription/doctype/subscription/subscription.py +175,New {0}: #{1},חדש {0}: # {1}
|
||||
,Sales Partners Commission,ועדת שותפי מכירות
|
||||
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 +
|
||||
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt_dashboard.py +17,Related,קָשׁוּר
|
||||
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt_dashboard.py +18,Related,קָשׁוּר
|
||||
apps/erpnext/erpnext/accounts/doctype/account/account.js +41,This is a root account and cannot be edited.,זהו חשבון שורש ולא ניתן לערוך.
|
||||
DocType: BOM,Operations,פעולות
|
||||
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},לא ניתן להגדיר הרשאות על בסיס הנחה עבור {0}
|
||||
@ -143,7 +143,7 @@ DocType: Employee Education,Under Graduate,תחת בוגר
|
||||
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 +108,Activity Log:,יומן פעילות:
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +245,Item {0} does not exist in the system or has expired,פריט {0} אינו קיים במערכת או שפג תוקף
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +250,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 +1,Statement of Account,הצהרה של חשבון
|
||||
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,תרופות
|
||||
@ -173,7 +173,7 @@ DocType: Upload Attendance,"Download the Template, fill appropriate data and att
|
||||
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 +482,Item {0} is not active or end of life has been reached,פריט {0} אינו פעיל או שהגיע הסוף של חיים
|
||||
apps/erpnext/erpnext/utilities/user_progress.py +144,Example: Basic Mathematics,דוגמה: מתמטיקה בסיסית
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","כדי לכלול מס בשורת {0} בשיעור פריט, מסים בשורות {1} חייבים להיות כלולים גם"
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +657,"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,10 +225,9 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p
|
||||
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 +2270,"LocalStorage is full , did not save","LocalStorage מלא, לא הציל"
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +2279,"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,הוסף פריט
|
||||
apps/erpnext/erpnext/utilities/user_progress.py +46,Contact Name,שם איש קשר
|
||||
@ -246,7 +245,7 @@ apps/erpnext/erpnext/utilities/user_progress.py +101,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 +673,Item {0} has reached its end of life on {1},פריט {0} הגיע לסיומו של חיים על {1}
|
||||
apps/erpnext/erpnext/stock/doctype/item/item.py +675,Item {0} has reached its end of life on {1},פריט {0} הגיע לסיומו של חיים על {1}
|
||||
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +88,Bank Entries,פוסט בנק
|
||||
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,שנתי
|
||||
DocType: Stock Reconciliation Item,Stock Reconciliation Item,פריט במלאי פיוס
|
||||
@ -261,8 +260,8 @@ 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 +693,Item {0} is cancelled,פריט {0} יבוטל
|
||||
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Material Request,בקשת חומר
|
||||
apps/erpnext/erpnext/stock/doctype/item/item.py +695,Item {0} is cancelled,פריט {0} יבוטל
|
||||
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +903,Material Request,בקשת חומר
|
||||
DocType: Bank Reconciliation,Update Clearance Date,תאריך שחרור עדכון
|
||||
DocType: Item,Purchase Details,פרטי רכישה
|
||||
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}
|
||||
@ -293,7 +292,7 @@ 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 +70,Wrong Password,סיסמא שגויה
|
||||
apps/erpnext/erpnext/setup/doctype/company/company.js +80,Wrong Password,סיסמא שגויה
|
||||
DocType: Item,Variant Of,גרסה של
|
||||
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',"כמות שהושלמה לא יכולה להיות גדולה מ 'כמות לייצור """
|
||||
DocType: Period Closing Voucher,Closing Account Head,סגירת חשבון ראש
|
||||
@ -307,7 +306,7 @@ DocType: Employee,Job Profile,פרופיל עבודה
|
||||
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 +861,Delivery Note,תעודת משלוח
|
||||
apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +865,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 +345,Payment Entry has been modified after you pulled it. Please pull it again.,כניסת תשלום השתנתה לאחר שמשכת אותו. אנא למשוך אותו שוב.
|
||||
@ -324,12 +323,11 @@ DocType: Shipping Rule,Valid for Countries,תקף למדינות
|
||||
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,"פריט זה הוא תבנית ולא ניתן להשתמש בם בעסקות. תכונות פריט תועתק על לגרסות אלא אם כן ""לא העתק 'מוגדרת"
|
||||
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +69,Total Order Considered,"להזמין סה""כ נחשב"
|
||||
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 +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},שורה # {0}: חשבונית הרכש אינו יכול להתבצע נגד נכס קיים {1}
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +558,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 +865,Select Item,פריט בחר
|
||||
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +870,Select Item,פריט בחר
|
||||
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +140,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,המרת שאינה קבוצה
|
||||
@ -400,7 +398,7 @@ DocType: Notification Control,Customize the introductory text that goes as a par
|
||||
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 +635,Attribute {0} selected multiple times in Attributes Table,תכונה {0} נבחר מספר פעמים בטבלה תכונות
|
||||
apps/erpnext/erpnext/stock/doctype/item/item.py +637,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.,אב חג.
|
||||
@ -438,7 +436,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its
|
||||
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 +531,"To merge, following properties must be same for both items","למזג, המאפיינים הבאים חייבים להיות זהים בשני הפריטים"
|
||||
apps/erpnext/erpnext/stock/doctype/item/item.py +533,"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,לִקְנוֹת
|
||||
@ -446,7 +444,7 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,לִקְנוֹ
|
||||
DocType: Sales Invoice,Offline POS Name,שם קופה מנותקת
|
||||
DocType: Sales Order,To Deliver,כדי לספק
|
||||
DocType: Purchase Invoice Item,Item,פריט
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +2442,Serial no item cannot be a fraction,אין פריט סידורי לא יכול להיות חלק
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +2451,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,קבלנות משנה ניהול
|
||||
@ -461,7 +459,7 @@ DocType: Sales Order Item,Gross Profit,רווח גולמי
|
||||
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 +347,Reference No and Reference Date is mandatory for Bank transaction,אסמכתא ותאריך ההפניה הוא חובה עבור עסקת הבנק
|
||||
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +341,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,לעיון
|
||||
@ -485,7 +483,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat
|
||||
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 +162,"Sorry, Serial Nos cannot be merged","מצטער, לא ניתן למזג מס סידורי"
|
||||
apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +749,Make Sales Order,הפוך להזמין מכירות
|
||||
apps/erpnext/erpnext/utilities/activation.py +83,Make Sales Order,הפוך להזמין מכירות
|
||||
DocType: Project Task,Project Task,פרויקט משימה
|
||||
,Lead Id,זיהוי ליד
|
||||
DocType: C-Form Invoice Detail,Grand Total,סך כולל
|
||||
@ -510,7 +508,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,מאגר מידע
|
||||
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 +799,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"ברירת מחדל של יחידת מדידה לפריט {0} לא ניתן לשנות באופן ישיר, כי כבר עשו כמה עסקה (ים) עם יחידת מידה אחרת. יהיה עליך ליצור פריט חדש לשימוש יחידת מידת ברירת מחדל שונה."
|
||||
apps/erpnext/erpnext/stock/doctype/item/item.py +801,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 +349,Allocated amount can not be negative,סכום שהוקצה אינו יכול להיות שלילי
|
||||
DocType: Purchase Order Item,Billed Amt,Amt שחויב
|
||||
DocType: Warehouse,A logical Warehouse against which stock entries are made.,מחסן לוגי שנגדו מרשמו רשומות מלאי
|
||||
@ -573,7 +571,7 @@ DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,מסים ע
|
||||
DocType: Production Order Operation,Actual Start Time,בפועל זמן התחלה
|
||||
DocType: BOM Operation,Operation Time,מבצע זמן
|
||||
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,סִיוּם
|
||||
DocType: Journal Entry,Write Off Amount,לכתוב את הסכום
|
||||
apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1187,Write Off Amount,לכתוב את הסכום
|
||||
DocType: Leave Block List Allow,Allow User,לאפשר למשתמש
|
||||
DocType: Journal Entry,Bill No,ביל לא
|
||||
DocType: Company,Gain/Loss Account on Asset Disposal,חשבון רווח / הפסד בעת מימוש נכסים
|
||||
@ -590,13 +588,13 @@ DocType: Account,Accounts,חשבונות
|
||||
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Marketing,שיווק
|
||||
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +284,Payment Entry is already created,כניסת תשלום כבר נוצר
|
||||
DocType: Purchase Receipt Item Supplied,Current Stock,מלאי נוכחי
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},# שורה {0}: Asset {1} אינו קשור פריט {2}
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +545,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 +614,Item has variants.,יש פריט גרסאות.
|
||||
apps/erpnext/erpnext/stock/doctype/item/item.py +616,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} לא קיים
|
||||
@ -639,7 +637,7 @@ DocType: Warranty Claim,CI-,CI-
|
||||
apps/erpnext/erpnext/controllers/buying_controller.py +289,Row {0}: Conversion Factor is mandatory,שורת {0}: המרת פקטור הוא חובה
|
||||
DocType: Employee,A+,A +
|
||||
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +326,"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 +479,Cannot deactivate or cancel BOM as it is linked with other BOMs,לא יכול לבטל או לבטל BOM כפי שהוא מקושר עם עצי מוצר אחרים
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +495,Cannot deactivate or cancel BOM as it is linked with other BOMs,לא יכול לבטל או לבטל BOM כפי שהוא מקושר עם עצי מוצר אחרים
|
||||
DocType: Opportunity,Maintenance,תחזוקה
|
||||
DocType: Item Attribute Value,Item Attribute Value,פריט תכונה ערך
|
||||
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,מבצעי מכירות.
|
||||
@ -687,7 +685,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock'
|
||||
apps/erpnext/erpnext/utilities/user_progress.py +100,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 +562,Row #{0}: Asset {1} must be submitted,# שורה {0}: Asset {1} יש להגיש
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +549,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,אם קבלן לספקים
|
||||
@ -745,7 +743,7 @@ DocType: Sales Team,Incentives,תמריצים
|
||||
DocType: SMS Log,Requested Numbers,מספרים מבוקשים
|
||||
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,הערכת ביצועים.
|
||||
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +96,"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 +360,"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 +347,"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,נקודת מכירה
|
||||
@ -767,14 +765,14 @@ DocType: Naming Series,Update Series,סדרת עדכון
|
||||
DocType: Supplier Quotation,Is Subcontracted,האם קבלן
|
||||
DocType: Item Attribute,Item Attribute Values,ערכי תכונה פריט
|
||||
DocType: Examination Result,Examination Result,תוצאת בחינה
|
||||
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +811,Purchase Receipt,קבלת רכישה
|
||||
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Purchase Receipt,קבלת רכישה
|
||||
,Received Items To Be Billed,פריטים שהתקבלו לחיוב
|
||||
apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,שער חליפין של מטבע שני.
|
||||
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +196,Reference Doctype must be one of {0},הפניה Doctype חייב להיות אחד {0}
|
||||
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,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 +558,BOM {0} must be active,BOM {0} חייב להיות פעיל
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +574,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} לפני ביטול תחזוקת הביקור הזה
|
||||
@ -808,7 +806,7 @@ 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 +745,New Sales Invoice,חשבונית מכירת בתים חדשה
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +754,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,בקשה לקבלת מידע
|
||||
@ -829,7 +827,7 @@ DocType: Cheque Print Template,Date Settings,הגדרות תאריך
|
||||
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,שונות
|
||||
,Company Name,שם חברה
|
||||
DocType: SMS Center,Total Message(s),מסר כולל (ים)
|
||||
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +863,Select Item for Transfer,פריט בחר להעברה
|
||||
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +868,Select Item for Transfer,פריט בחר להעברה
|
||||
DocType: Purchase Invoice,Additional Discount Percentage,אחוז הנחה נוסף
|
||||
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,הצגת רשימה של כל סרטי וידאו העזרה
|
||||
DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,ראש בחר חשבון של הבנק שבו הופקד שיק.
|
||||
@ -874,10 +872,10 @@ DocType: Packing Slip Item,Packing Slip Item,פריט Slip אריזה
|
||||
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 +632,Attribute table is mandatory,שולחן תכונה הוא חובה
|
||||
apps/erpnext/erpnext/stock/doctype/item/item.py +634,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/public/js/pos/pos_selected_item.html +11,Discount,דיסקונט
|
||||
apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +384,Discount,דיסקונט
|
||||
DocType: Asset,Total Number of Depreciations,מספר כולל של פחת
|
||||
DocType: Workstation,Wages,שכר
|
||||
DocType: Task,Urgent,דחוף
|
||||
@ -924,7 +922,7 @@ apps/erpnext/erpnext/utilities/user_progress.py +64,List a few of your suppliers
|
||||
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 +420,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 +407,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,פינת של ביצועים מרכזיים
|
||||
@ -941,7 +939,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et
|
||||
DocType: Sales Partner,Distributor,מפיץ
|
||||
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,כלל משלוח סל קניות
|
||||
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,ייצור להזמין {0} יש לבטל לפני ביטול הזמנת מכירות זה
|
||||
apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',אנא הגדר 'החל הנחה נוספות ב'
|
||||
apps/erpnext/erpnext/public/js/controllers/transaction.js +68,Please set 'Apply Additional Discount On',אנא הגדר 'החל הנחה נוספות ב'
|
||||
,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,ברירות מחדל גלובליות
|
||||
@ -973,7 +971,7 @@ 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 +701,Cost Center For Item with Item Code ',עלות מרכז לפריט עם קוד פריט '
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +2403,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","מצב תשלום אינו מוגדר. אנא קרא, אם חשבון הוגדר על מצב תשלומים או על פרופיל קופה."
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +2412,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","מצב תשלום אינו מוגדר. אנא קרא, אם חשבון הוגדר על מצב תשלומים או על פרופיל קופה."
|
||||
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","חשבונות נוספים יכולים להתבצע תחת קבוצות, אבל ערכים יכולים להתבצע נגד לא-קבוצות"
|
||||
DocType: Lead,Lead,לידים
|
||||
DocType: Email Digest,Payables,זכאי
|
||||
@ -1006,7 +1004,7 @@ 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 +505,"An Item Group exists with same name, please change the item name or rename the item group","קבוצת פריט קיימת עם אותו שם, בבקשה לשנות את שם הפריט או לשנות את שם קבוצת הפריט"
|
||||
apps/erpnext/erpnext/stock/doctype/item/item.py +507,"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 +366,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,תקציב שונות דווח
|
||||
@ -1057,7 +1055,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion
|
||||
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 +750,Sync Master Data,Sync Master Data
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +759,Sync Master Data,Sync Master Data
|
||||
apps/erpnext/erpnext/utilities/user_progress.py +92,Your Products or Services,המוצרים או השירותים שלך
|
||||
DocType: Mode of Payment,Mode of Payment,מצב של תשלום
|
||||
apps/erpnext/erpnext/stock/doctype/item/item.py +178,Website Image should be a public file or website URL,תמונה: אתר אינטרנט צריכה להיות קובץ ציבורי או כתובת אתר אינטרנט
|
||||
@ -1079,7 +1077,6 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing
|
||||
DocType: Hub Settings,Seller Website,אתר מוכר
|
||||
DocType: Item,ITEM-,פריט-
|
||||
apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,"אחוז הוקצה סה""כ לצוות מכירות צריך להיות 100"
|
||||
DocType: Appraisal Goal,Goal,מטרה
|
||||
DocType: Sales Invoice Item,Edit Description,עריכת תיאור
|
||||
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +885,For Supplier,לספקים
|
||||
DocType: Account,Setting Account Type helps in selecting this Account in transactions.,הגדרת סוג החשבון מסייעת בבחירת חשבון זה בעסקות.
|
||||
@ -1098,7 +1095,7 @@ DocType: Depreciation Schedule,Journal Entry,יומן
|
||||
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{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 +564,BOM {0} does not belong to Item {1},BOM {0} אינו שייך לפריט {1}
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +580,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,זהו המספר של העסקה יצרה האחרונה עם קידומת זו
|
||||
@ -1159,7 +1156,7 @@ DocType: Item,Maintain Stock,לשמור על המלאי
|
||||
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 +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,תשלום מסוג 'בפועל' בשורת {0} אינו יכול להיות כלולים במחיר הפריט
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +663,Charge of type 'Actual' in row {0} cannot be included in Item Rate,תשלום מסוג 'בפועל' בשורת {0} אינו יכול להיות כלולים במחיר הפריט
|
||||
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},מקס: {0}
|
||||
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,מDatetime
|
||||
DocType: Email Digest,For Company,לחברה
|
||||
@ -1170,7 +1167,7 @@ DocType: Sales Invoice,Shipping Address Name,שם כתובת למשלוח
|
||||
apps/erpnext/erpnext/accounts/doctype/account/account.js +58,Chart of Accounts,תרשים של חשבונות
|
||||
DocType: Material Request,Terms and Conditions Content,תוכן תנאים והגבלות
|
||||
apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +555,cannot be greater than 100,לא יכול להיות גדול מ 100
|
||||
apps/erpnext/erpnext/stock/doctype/item/item.py +684,Item {0} is not a stock Item,פריט {0} הוא לא פריט מניות
|
||||
apps/erpnext/erpnext/stock/doctype/item/item.py +686,Item {0} is not a stock Item,פריט {0} הוא לא פריט מניות
|
||||
DocType: Maintenance Visit,Unscheduled,לא מתוכנן
|
||||
DocType: Employee,Owned,בבעלות
|
||||
DocType: Salary Detail,Depends on Leave Without Pay,תלוי בחופשה ללא תשלום
|
||||
@ -1334,7 +1331,7 @@ DocType: Delivery Note,Vehicle Dispatch Date,תאריך שיגור רכב
|
||||
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +233,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 +111,{0}% Billed,{0}% שחויבו
|
||||
apps/erpnext/erpnext/controllers/website_list_for_contact.py +113,{0}% Billed,{0}% שחויבו
|
||||
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,שמורות כמות
|
||||
DocType: Party Account,Party Account,חשבון המפלגה
|
||||
apps/erpnext/erpnext/config/setup.py +122,Human Resources,משאבי אנוש
|
||||
@ -1386,7 +1383,7 @@ DocType: Purchase Invoice,Additional Discount,הנחה נוסף
|
||||
DocType: Selling Settings,Selling Settings,מכירת הגדרות
|
||||
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/selling/doctype/sales_order/sales_order_dashboard.py +18,Fulfillment,הַגשָׁמָה
|
||||
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,הוצאות שיווק
|
||||
,Item Shortage Report,דווח מחסור פריט
|
||||
apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","המשקל מוזכר, \ n להזכיר ""משקל של אוני 'מישגן"" מדי"
|
||||
@ -1414,7 +1411,7 @@ DocType: Announcement,Instructor,מַדְרִיך
|
||||
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 +293,Quantity required for Item {0} in row {1},הכמות הנדרשת לפריט {0} בשורת {1}
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,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,"כתובת דוא""ל להודעות"
|
||||
@ -1438,7 +1435,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +416,Default BOM ({0}) must be a
|
||||
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 +1078,Make Purchase Order,הפוך הזמנת רכש
|
||||
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1084,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,סכום שהוקצה
|
||||
@ -1458,7 +1455,7 @@ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set
|
||||
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 +561,BOM {0} must be submitted,BOM {0} יש להגיש
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +577,BOM {0} must be submitted,BOM {0} יש להגיש
|
||||
DocType: Authorization Control,Authorization Control,אישור בקרה
|
||||
apps/erpnext/erpnext/controllers/buying_controller.py +306,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},# השורה {0}: נדחה מחסן הוא חובה נגד פריט דחה {1}
|
||||
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +782,Payment,תשלום
|
||||
@ -1523,7 +1520,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not se
|
||||
DocType: Maintenance Visit,Maintenance Time,תחזוקת זמן
|
||||
,Amount to Deliver,הסכום לאספקת
|
||||
DocType: Naming Series,Current Value,ערך נוכחי
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,שנתי כספים מרובות קיימות במועד {0}. אנא להגדיר חברה בשנת הכספים
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +240,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} נוצר
|
||||
DocType: Delivery Note Item,Against Sales Order,נגד להזמין מכירות
|
||||
,Serial No Status,סטטוס מספר סידורי
|
||||
@ -1533,7 +1530,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu
|
||||
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 +375,Amount {0} {1} deducted against {2},סכום {0} {1} לנכות כנגד {2}
|
||||
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +369,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 +303,Due Date cannot be before Posting Date,תאריך יעד לא יכול להיות לפני פרסום תאריך
|
||||
@ -1555,7 +1552,7 @@ DocType: Sales Invoice Payment,Base Amount (Company Currency),הסכום הבס
|
||||
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 +74,Delete all the Transactions for this Company,מחק את כל העסקאות לחברה זו
|
||||
apps/erpnext/erpnext/setup/doctype/company/company.js +84,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,רזולוציה פרטים
|
||||
@ -1596,7 +1593,7 @@ DocType: Employee,Personal Details,פרטים אישיים
|
||||
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +192,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 +370,Amount {0} {1} against {2} {3},סכום {0} {1} נגד {2} {3}
|
||||
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +364,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 +356,Debit To account must be a Receivable account,חיוב החשבון חייב להיות חשבון חייבים
|
||||
@ -1619,7 +1616,7 @@ apps/erpnext/erpnext/hooks.py +132,Timesheets,גליונות
|
||||
DocType: HR Settings,HR Settings,הגדרות HR
|
||||
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +111,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 +544,"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 +531,"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 +286,Abbr can not be blank or space,Abbr לא יכול להיות ריק או חלל
|
||||
apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,קבוצה לקבוצה ללא
|
||||
@ -1639,10 +1636,10 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_
|
||||
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 +292,Account {0} is invalid. Account Currency must be {1},חשבון {0} אינו חוקי. מטבע חשבון חייב להיות {1}
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +279,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 +1032,"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 +1024,"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 +115,Row {0}: From Time and To Time is mandatory.,שורת {0}: מעת לעת ו היא חובה.
|
||||
apps/erpnext/erpnext/stock/get_item_details.py +297,Item Price added for {0} in Price List {1},מחיר הפריט נוסף עבור {0} ב מחירון {1}
|
||||
@ -1656,7 +1653,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled use
|
||||
apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +764,Quotation,הצעת מחיר
|
||||
DocType: Quotation,QTN-,QTN-
|
||||
DocType: Salary Slip,Total Deduction,סך ניכוי
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +190,Cost Updated,עלות עדכון
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +195,Cost Updated,עלות עדכון
|
||||
DocType: Employee,Date of Birth,תאריך לידה
|
||||
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**.,** שנת כספים ** מייצגת שנת כספים. כל הרישומים החשבונאיים ועסקות גדולות אחרות מתבצעים מעקב נגד שנת כספים ** **.
|
||||
@ -1720,7 +1717,7 @@ 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 +80,Receivable Account,חשבון חייבים
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},# שורה {0}: Asset {1} הוא כבר {2}
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +553,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 +114,CEO,מנכ"ל
|
||||
@ -1756,7 +1753,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm
|
||||
DocType: Timesheet Detail,To Time,לעת
|
||||
DocType: Authorization Rule,Approving Role (above authorized value),אישור תפקיד (מעל הערך מורשה)
|
||||
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +114,Credit To account must be a Payable account,אשראי לחשבון חייב להיות חשבון לתשלום
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +317,BOM recursion: {0} cannot be parent or child of {2},רקורסיה BOM: {0} אינה יכולה להיות הורה או ילד של {2}
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +329,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} אינו זמין
|
||||
@ -1822,12 +1819,12 @@ DocType: Leave Block List,Allow Users,אפשר למשתמשים
|
||||
DocType: Purchase Order,Customer Mobile No,לקוחות ניידים לא
|
||||
DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,עקוב אחר הכנסות והוצאות נפרדות לאנכי מוצר או חטיבות.
|
||||
DocType: Rename Tool,Rename Tool,שינוי שם כלי
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,עלות עדכון
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +72,Update Cost,עלות עדכון
|
||||
DocType: Item Reorder,Item Reorder,פריט סידור מחדש
|
||||
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +814,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 +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 +993,Please set recurring after saving,אנא קבע חוזר לאחר השמירה
|
||||
apps/erpnext/erpnext/public/js/controllers/transaction.js +997,Please set recurring after saving,אנא קבע חוזר לאחר השמירה
|
||||
DocType: Purchase Invoice,Price List Currency,מטבע מחירון
|
||||
DocType: Naming Series,User must always select,משתמש חייב תמיד לבחור
|
||||
DocType: Stock Settings,Allow Negative Stock,אפשר מלאי שלילי
|
||||
@ -1872,20 +1869,20 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM מס לפריט
|
||||
DocType: Upload Attendance,Attendance To Date,נוכחות לתאריך
|
||||
DocType: Warranty Claim,Raised By,הועלה על ידי
|
||||
DocType: Payment Gateway Account,Payment Account,חשבון תשלומים
|
||||
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +874,Please specify Company to proceed,נא לציין את חברה כדי להמשיך
|
||||
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,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 +79,Compensatory Off,Off המפצה
|
||||
DocType: Offer Letter,Accepted,קיבלתי
|
||||
DocType: SG Creation Tool Course,Student Group Name,שם סטודנט הקבוצה
|
||||
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.,אנא ודא שאתה באמת רוצה למחוק את כל העסקות לחברה זו. נתוני אביך יישארו כפי שהוא. לא ניתן לבטל פעולה זו.
|
||||
apps/erpnext/erpnext/setup/doctype/company/company.js +62,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 +167,{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 +287,Raw Materials cannot be blank.,חומרי גלם לא יכולים להיות ריקים.
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +299,Raw Materials cannot be blank.,חומרי גלם לא יכולים להיות ריקים.
|
||||
apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +486,"Could not update stock, invoice contains drop shipping item.","לא ניתן לעדכן מניות, חשבונית מכילה פריט ירידת משלוח."
|
||||
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +484,Quick Journal Entry,מהיר יומן
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +169,You can not change rate if BOM mentioned agianst any item,אתה לא יכול לשנות את השיעור אם BOM ציינו agianst כל פריט
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +200,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}
|
||||
@ -1994,7 +1991,7 @@ DocType: Salary Structure,Total Earning,"צבירה סה""כ"
|
||||
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 +293, or ,או
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +280, 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 +120,Utility Expenses,הוצאות שירות
|
||||
@ -2043,7 +2040,6 @@ DocType: Account,Income Account,חשבון הכנסות
|
||||
DocType: Payment Request,Amount in customer's currency,הסכום במטבע של הלקוח
|
||||
apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +776,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,פינת אחריות מפתח
|
||||
DocType: Payment Entry,Total Allocated Amount,סכום כולל שהוקצה
|
||||
DocType: Item Reorder,Material Request Type,סוג בקשת חומר
|
||||
@ -2063,8 +2059,8 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,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/public/js/controllers/transaction.js +1094,Please enter Item Code to get batch no,נא להזין את קוד פריט כדי לקבל אצווה לא
|
||||
apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +816,Please select a value for {0} quotation_to {1},אנא בחר ערך עבור {0} quotation_to {1}
|
||||
apps/erpnext/erpnext/public/js/controllers/transaction.js +1098,Please enter Item Code to get batch no,נא להזין את קוד פריט כדי לקבל אצווה לא
|
||||
apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +827,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 +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","המיזוג אפשרי רק אם המאפיינים הבאים הם זהים בשני רשומות. האם קבוצה, סוג רוט, חברה"
|
||||
@ -2113,7 +2109,7 @@ 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.,"יכולות להיות מתויגות כל עסקות המכירה מול אנשי מכירות ** ** מרובים, כך שאתה יכול להגדיר ולעקוב אחר מטרות."
|
||||
,S.O. No.,SO מס '
|
||||
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +201,Please create Customer from Lead {0},אנא ליצור לקוחות מהעופרת {0}
|
||||
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +204,Please create Customer from Lead {0},אנא ליצור לקוחות מהעופרת {0}
|
||||
DocType: Price List,Applicable for Countries,ישים עבור מדינות
|
||||
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +52,Student Group Name is mandatory in row {0},סטודנט הקבוצה שם הוא חובה בשורת {0}
|
||||
DocType: Homepage,Products to be shown on website homepage,מוצרים שיוצגו על בית של אתר
|
||||
@ -2204,7 +2200,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f
|
||||
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 +671,Can only make payment against unbilled {0},יכול רק לבצע את התשלום כנגד סרק {0}
|
||||
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +665,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 +165,Please enter {0} first,נא להזין את {0} הראשון
|
||||
@ -2220,7 +2216,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +194,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 +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),מראש סה"כ ({0}) נגד להזמין {1} לא יכול להיות גדול יותר מהסך כולל ({2})
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +476,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 +329,Price List Currency not selected,מטבע מחירון לא נבחר
|
||||
@ -2232,7 +2228,6 @@ 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 +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,נוכחות לא מסומנת
|
||||
@ -2301,7 +2296,7 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,כל ה
|
||||
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 +357,Amount {0} {1} {2} {3},סכום {0} {1} {2} {3}
|
||||
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,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,כלי נוכחות עובדים
|
||||
@ -2328,7 +2323,7 @@ DocType: Item,Reorder level based on Warehouse,רמת הזמנה חוזרת המ
|
||||
DocType: Activity Cost,Billing Rate,דרג חיוב
|
||||
,Qty to Deliver,כמות לאספקה
|
||||
,Stock Analytics,ניתוח מלאי
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +483,Operations cannot be left blank,תפעול לא ניתן להשאיר ריק
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +499,Operations cannot be left blank,תפעול לא ניתן להשאיר ריק
|
||||
DocType: Maintenance Visit Purpose,Against Document Detail No,נגד פרט מסמך לא
|
||||
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +98,Party Type is mandatory,סוג המפלגה הוא חובה
|
||||
DocType: Quality Inspection,Outgoing,יוצא
|
||||
@ -2365,7 +2360,7 @@ DocType: Sales Invoice Item,Available Qty at Warehouse,כמות זמינה במ
|
||||
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 +179,Closed order cannot be cancelled. Unclose to cancel.,כדי סגור לא ניתן לבטל. חוסר קרבה לבטל.
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,'עדכון מאגר' לא ניתן לבדוק למכירת נכס קבועה
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +562,'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 +147,Material Request {0} is cancelled or stopped,בקשת חומר {0} בוטלה או נעצרה
|
||||
@ -2404,7 +2399,7 @@ DocType: Sales Order,% Delivered,% נמסר
|
||||
DocType: Production Order,PRO-,מִקצוֹעָן-
|
||||
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 +40,Browse BOM,העיון BOM
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +75,Browse BOM,העיון BOM
|
||||
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 +101,Please set Depreciation related Accounts in Asset Category {0} or Company {1},אנא להגדיר חשבונות הקשורים פחת קטגוריה Asset {0} או החברה {1}
|
||||
DocType: Academic Term,Academic Year,שנה אקדמית
|
||||
@ -2491,12 +2486,12 @@ 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/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,קבלנות משנה
|
||||
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +30,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 +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 +1963,Please select customer,אנא בחר לקוח
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +1972,Please select customer,אנא בחר לקוח
|
||||
DocType: C-Form,I,אני
|
||||
DocType: Company,Asset Depreciation Cost Center,מרכז עלות פחת נכסים
|
||||
DocType: Sales Order Item,Sales Order Date,תאריך הזמנת מכירות
|
||||
@ -2524,7 +2519,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +32,Select the nature of your bus
|
||||
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 +554,Row #{0}: Asset {1} does not belong to company {2},# השורה {0}: Asset {1} לא שייך לחברת {2}
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +541,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,דקות כמות לא יכולה להיות גדולה יותר מכמות מקס
|
||||
@ -2540,7 +2535,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +2
|
||||
apps/erpnext/erpnext/hr/doctype/employee/employee.py +113,Date Of Retirement must be greater than Date of Joining,מועד הפרישה חייב להיות גדול מ תאריך ההצטרפות
|
||||
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +52,There were errors while scheduling course on :,היו שגיאות בעת תזמון כמובן על:
|
||||
DocType: Sales Invoice,Against Income Account,נגד חשבון הכנסות
|
||||
apps/erpnext/erpnext/controllers/website_list_for_contact.py +115,{0}% Delivered,{0}% נמסר
|
||||
apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% נמסר
|
||||
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +94,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,פריט {0}: כמות מסודרת {1} לא יכול להיות פחות מכמות הזמנה מינימאלית {2} (מוגדר בסעיף).
|
||||
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,אחוז בחתך חודשי
|
||||
DocType: Territory,Territory Targets,מטרות שטח
|
||||
@ -2600,7 +2595,6 @@ apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Ac
|
||||
apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,תבניות כתובת ברירת מחדל חכם ארץ
|
||||
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/accounts/party.py +315,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 +71,No students Found,אין תלמידים נמצאו
|
||||
@ -2633,7 +2627,7 @@ DocType: Hub Settings,Publish Availability,פרסם זמינים
|
||||
apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot be greater than today.,תאריך לידה לא יכול להיות גדול יותר מהיום.
|
||||
,Stock Ageing,התיישנות מלאי
|
||||
apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,לוח זמנים
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' אינו זמין
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +233,{0} '{1}' is disabled,{0} '{1}' אינו זמין
|
||||
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,קבע כלהרחיב
|
||||
DocType: Cheque Print Template,Scanned Cheque,המחאה סרוקה
|
||||
DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,"שלח דוא""ל אוטומטית למגעים על עסקות הגשת."
|
||||
@ -2641,7 +2635,7 @@ 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,פרטי פריט ואחריות
|
||||
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/controllers/accounts_controller.py +75,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"הערה: כניסת תשלום לא יצרה מאז ""מזומן או חשבון הבנק 'לא צוין"
|
||||
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +222,Responsibilities,אחריות
|
||||
DocType: Expense Claim Account,Expense Claim Account,חשבון תביעת הוצאות
|
||||
DocType: Sales Person,Sales Person Name,שם איש מכירות
|
||||
@ -2656,7 +2650,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +433,Item Tax Row {0} must have
|
||||
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 +50,Please re-type company name to confirm,אנא שם חברה הקלד לאשר
|
||||
apps/erpnext/erpnext/setup/doctype/company/company.js +60,Please re-type company name to confirm,אנא שם חברה הקלד לאשר
|
||||
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +79,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}
|
||||
@ -2685,14 +2679,14 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +818,Iss
|
||||
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 +692,You are in offline mode. You will not be able to reload until you have network.,אתה נמצא במצב לא מקוון. אתה לא תוכל לטעון עד שיש לך רשת.
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +701,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 +47,No Student Groups created.,אין קבוצות סטודנטים נוצרו.
|
||||
DocType: Purchase Invoice Item,Serial No,מספר סידורי
|
||||
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,נא להזין maintaince פרטים ראשון
|
||||
DocType: Purchase Invoice,Print Language,שפת דפס
|
||||
DocType: Salary Slip,Total Working Hours,שעות עבודה הכוללות
|
||||
DocType: Stock Entry,Including items for sub assemblies,כולל פריטים למכלולים תת
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +1892,Enter value must be positive,זן הערך חייב להיות חיובי
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +1901,Enter value must be positive,זן הערך חייב להיות חיובי
|
||||
apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +389,All Territories,כל השטחים
|
||||
DocType: Purchase Invoice,Items,פריטים
|
||||
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,סטודנטים כבר נרשמו.
|
||||
@ -2708,7 +2702,7 @@ DocType: Asset,Partially Depreciated,חלקי מופחת
|
||||
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 +625,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',ברירת מחדל של יחידת מדידה ולריאנט '{0}' חייבת להיות זהה בתבנית '{1}'
|
||||
apps/erpnext/erpnext/stock/doctype/item/item.py +627,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,המפקח שם
|
||||
@ -2763,7 +2757,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.p
|
||||
apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13,Unknown,לא ידוע
|
||||
DocType: Shipping Rule,Shipping Rule Conditions,משלוח תנאי Rule
|
||||
DocType: BOM Update Tool,The new BOM after replacement,BOM החדש לאחר החלפה
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +659,Point of Sale,Point of Sale
|
||||
,Point of Sale,Point of Sale
|
||||
DocType: Payment Entry,Received Amount,הסכום שהתקבל
|
||||
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","צור עבור מלוא הכמות, התעלמות כמות כבר על סדר"
|
||||
DocType: Account,Tax,מס
|
||||
@ -2786,7 +2780,7 @@ DocType: Serial No,AMC Expiry Date,תאריך תפוגה AMC
|
||||
,Sales Register,מכירות הרשמה
|
||||
DocType: Quotation,Quotation Lost Reason,סיבה אבודה ציטוט
|
||||
apps/erpnext/erpnext/public/js/setup_wizard.js +19,Select your Domain,נבחר את הדומיין שלך
|
||||
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +364,Transaction reference no {0} dated {1},התייחסות עסקה לא {0} מתאריך {1}
|
||||
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +358,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,שם קבוצת הלקוחות
|
||||
@ -2830,7 +2824,7 @@ DocType: Tax Rule,Billing State,מדינת חיוב
|
||||
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,העברה
|
||||
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,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/accounts_controller.py +110,Due Date is mandatory,תאריך היעד הוא חובה
|
||||
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,תוספת לתכונה {0} לא יכולה להיות 0
|
||||
DocType: Journal Entry,Pay To / Recd From,לשלם ל/ Recd מ
|
||||
DocType: Naming Series,Setup Series,סדרת התקנה
|
||||
@ -2856,7 +2850,7 @@ DocType: Stock Settings,Show Barcode Field,הצג ברקוד שדה
|
||||
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +782,Send Supplier Emails,שלח הודעות דוא"ל ספק
|
||||
apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,שיא התקנה למס 'סידורי
|
||||
DocType: Timesheet,Employee Detail,פרט לעובדים
|
||||
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,היום של התאריך הבא חזרו על יום בחודש חייב להיות שווה
|
||||
apps/erpnext/erpnext/subscription/doctype/subscription/subscription.py +49,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 +60,Above,מעל
|
||||
@ -2902,7 +2896,7 @@ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Val
|
||||
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,סידורי #
|
||||
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 +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","# שורה {0}: Asset {1} לא ניתן להגיש, זה כבר {2}"
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +565,"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}.
|
||||
@ -2923,16 +2917,14 @@ apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with 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 +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 +119,Travel Expenses,הוצאות נסיעה
|
||||
DocType: Maintenance Visit,Breakdown,התפלגות
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,חשבון: {0} עם מטבע: {1} לא ניתן לבחור
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +677,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 +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 +67,Successfully deleted all transactions related to this company!,בהצלחה נמחק כל העסקות הקשורות לחברה זו!
|
||||
apps/erpnext/erpnext/setup/doctype/company/company.js +77,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,תאריך הרשמה
|
||||
@ -2948,7 +2940,7 @@ DocType: Material Request,Issued,הפיק
|
||||
DocType: Project,Total Billing Amount (via Time Logs),סכום חיוב כולל (דרך זמן יומנים)
|
||||
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 +253,Quantity should be greater than 0,כמות צריכה להיות גדולה מ 0
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,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,שם שנה אקדמית
|
||||
@ -2980,7 +2972,7 @@ 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 +134,All Customer Groups,בכל קבוצות הלקוחות
|
||||
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,מצטבר חודשי
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} הוא חובה. אולי שיא המרה לא נוצר עבור {1} ל {2}.
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +638,{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 +40,Tax Template is mandatory.,תבנית מס היא חובה.
|
||||
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),מחיר מחירון שיעור (חברת מטבע)
|
||||
@ -3000,7 +2992,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser
|
||||
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,פריט Detail המס וייז
|
||||
apps/erpnext/erpnext/public/js/setup_wizard.js +66,Institute Abbreviation,קיצור המכון
|
||||
,Item-wise Price List Rate,שערי רשימת פריט המחיר חכם
|
||||
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +916,Supplier Quotation,הצעת מחיר של ספק
|
||||
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +921,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-
|
||||
@ -3050,7 +3042,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,העל
|
||||
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 +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,# השורה {0}: לנכסי לקוחות חובה לרכוש נכס קבוע / מכירה
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +535,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,למטבע
|
||||
@ -3126,7 +3118,7 @@ apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_too
|
||||
DocType: Journal Entry Account,Exchange Rate,שער חליפין
|
||||
apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +573,Sales Order {0} is not submitted,להזמין מכירות {0} לא יוגש
|
||||
DocType: Homepage,Tag Line,קו תג
|
||||
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +914,Add items from,הוספת פריטים מ
|
||||
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +919,Add items from,הוספת פריטים מ
|
||||
DocType: Cheque Print Template,Regular,רגיל
|
||||
DocType: BOM,Last Purchase Rate,שער רכישה אחרונה
|
||||
DocType: Account,Asset,נכס
|
||||
@ -3153,7 +3145,7 @@ DocType: Tax Rule,Purchase,רכישה
|
||||
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 +25,Cost Centers,מרכזי עלות
|
||||
apps/erpnext/erpnext/setup/doctype/company/company.js +35,Cost Centers,מרכזי עלות
|
||||
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,קצב שבו ספק של מטבע מומר למטבע הבסיס של החברה
|
||||
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},# השורה {0}: קונפליקטים תזמונים עם שורת {1}
|
||||
apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,חשבונות Gateway התקנה.
|
||||
@ -3166,12 +3158,12 @@ DocType: Item Group,Default Expense Account,חשבון הוצאות ברירת
|
||||
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 +2397,Select items to save the invoice,בחר פריטים כדי לשמור את החשבונית
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +2406,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}
|
||||
DocType: Production Order,Planned Operating Cost,עלות הפעלה מתוכננת
|
||||
apps/erpnext/erpnext/controllers/recurring_document.py +136,Please find attached {0} #{1},בבקשה למצוא מצורף {0} # {1}
|
||||
apps/erpnext/erpnext/subscription/doctype/subscription/subscription.py +176,Please find attached {0} #{1},בבקשה למצוא מצורף {0} # {1}
|
||||
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,מאזן חשבון בנק בהתאם לכללי לדג'ר
|
||||
DocType: Job Applicant,Applicant Name,שם מבקש
|
||||
DocType: Authorization Rule,Customer / Item Name,לקוחות / שם פריט
|
||||
@ -3207,7 +3199,7 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr
|
||||
DocType: Account,Receivable,חייבים
|
||||
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,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 +944,"Master data syncing, it might take some time","סינכרון נתוני אב, זה עלול לקחת קצת זמן"
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +953,"Master data syncing, it might take some time","סינכרון נתוני אב, זה עלול לקחת קצת זמן"
|
||||
DocType: Item,Material Issue,נושא מהותי
|
||||
DocType: Hub Settings,Seller Description,תיאור מוכר
|
||||
DocType: Employee Education,Qualification,הסמכה
|
||||
@ -3236,14 +3228,14 @@ DocType: Payment Request,payment_url,payment_url
|
||||
DocType: Project Task,View Task,צפה במשימה
|
||||
DocType: Material Request,MREQ-,MREQ-
|
||||
,Asset Depreciations and Balances,פחת נכסים יתרה
|
||||
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Amount {0} {1} transferred from {2} to {3},סכום {0} {1} הועברה מבית {2} {3}
|
||||
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +347,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 +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 +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 +649,Item variant {0} exists with same attributes,גרסת פריט {0} קיימת עימן תכונות
|
||||
apps/erpnext/erpnext/stock/doctype/item/item.py +651,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,'עד תאריך' נדרש
|
||||
@ -3255,14 +3247,14 @@ 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 +952,It is needed to fetch Item Details.,הוא צריך את זה כדי להביא פרטי פריט.
|
||||
apps/erpnext/erpnext/public/js/controllers/transaction.js +956,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 +217,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 +1331,Delete permanently?,למחוק לצמיתות?
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +1340,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}
|
||||
@ -3296,7 +3288,7 @@ DocType: Program Enrollment Tool,New Program,תוכנית חדשה
|
||||
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 +1015,Please select {0} first,אנא בחר {0} ראשון
|
||||
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1007,Please select {0} first,אנא בחר {0} ראשון
|
||||
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,אצווה {0} של פריט {1} פג.
|
||||
DocType: Sales Invoice,Commission,הוועדה
|
||||
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,זמן גיליון לייצור.
|
||||
@ -3347,10 +3339,10 @@ DocType: Employee,Educational Qualification,הכשרה חינוכית
|
||||
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 +466,Currency for {0} must be {1},מטבע עבור {0} חייב להיות {1}
|
||||
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +460,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 +494,Row {0}: An Reorder entry already exists for this warehouse {1},שורת {0}: כניסת סידור מחדש כבר קיימת למחסן זה {1}
|
||||
apps/erpnext/erpnext/stock/doctype/item/item.py +496,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 +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}
|
||||
@ -3393,7 +3385,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assig
|
||||
apps/erpnext/erpnext/utilities/user_progress.py +63,Your Suppliers,הספקים שלך
|
||||
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +80,Cannot set as Lost as Sales Order is made.,לא ניתן להגדיר כאבודים כלהזמין מכירות נעשה.
|
||||
DocType: Request for Quotation Item,Supplier Part No,אין ספק חלק
|
||||
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +360,Received From,התקבל מ
|
||||
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +354,Received From,התקבל מ
|
||||
DocType: Lead,Converted,המרה
|
||||
DocType: Item,Has Serial No,יש מספר סידורי
|
||||
DocType: Employee,Date of Issue,מועד ההנפקה
|
||||
@ -3405,7 +3397,7 @@ 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 +89,Item: {0} does not exist in the system,פריט: {0} אינו קיים במערכת
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +85,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,מתאריך החשבונית
|
||||
@ -3439,10 +3431,9 @@ DocType: Notification Control,Sales Invoice Message,מסר חשבונית מכי
|
||||
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,סגירת חשבון {0} חייבת להיות אחריות / הון עצמי סוג
|
||||
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,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 +677,Item {0} is disabled,פריט {0} הוא נכים
|
||||
apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} is disabled,פריט {0} הוא נכים
|
||||
DocType: Stock Settings,Stock Frozen Upto,המניה קפואה Upto
|
||||
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +895,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}"
|
||||
@ -3558,7 +3549,6 @@ 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 +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 +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 +93,Administrative Expenses,הוצאות הנהלה
|
||||
@ -3580,7 +3570,7 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analys
|
||||
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 +644,Please specify Attribute Value for attribute {0},ציין מאפיין ערך עבור תכונת {0}
|
||||
apps/erpnext/erpnext/stock/doctype/item/item.py +646,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,נא להזין מרכז עלות הורה
|
||||
@ -3622,7 +3612,7 @@ DocType: Student,Nationality,לאום
|
||||
,Items To Be Requested,פריטים להידרש
|
||||
DocType: Purchase Order,Get Last Purchase Rate,קבל אחרון תעריף רכישה
|
||||
DocType: Company,Company Info,מידע על חברה
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +1363,Select or add new customer,בחר או הוסף לקוח חדש
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +1372,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 +487,Debit Account,חשבון חיוב
|
||||
@ -3645,11 +3635,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st
|
||||
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 +232,Available,זמין
|
||||
apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +239,Available,זמין
|
||||
DocType: Quality Inspection Reading,Reading 3,רידינג 3
|
||||
,Hub,רכזת
|
||||
DocType: GL Entry,Voucher Type,סוג שובר
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +1655,Price List not found or disabled,מחיר המחירון לא נמצא או נכים
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +1664,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 +264,Employee relieved on {0} must be set as 'Left',עובד הקלה על {0} חייב להיות מוגדרים כ'שמאל '
|
||||
@ -3664,7 +3654,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Plea
|
||||
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 +1040,"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 +1032,"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,רכישה / פרטי ייצור
|
||||
@ -3763,7 +3753,7 @@ DocType: Supplier,Credit Days,ימי אשראי
|
||||
DocType: Leave Type,Is Carry Forward,האם להמשיך קדימה
|
||||
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +806,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 +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},# שורה {0}: פרסום תאריך חייב להיות זהה לתאריך הרכישה {1} של נכס {2}
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +556,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 +274,Transfer an asset from one warehouse to another,להעביר נכס ממחסן אחד למשנהו
|
||||
|
|
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
@ -56,15 +56,15 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Y
|
||||
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 +154,Please select Price List,"Por favor, selecione Lista de Preço"
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +157,Please select Price List,"Por favor, selecione Lista de Preço"
|
||||
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +118,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}
|
||||
apps/erpnext/erpnext/subscription/doctype/subscription/subscription.py +175,New {0}: #{1},Nova {0}: # {1}
|
||||
,Sales Partners Commission,Comissão dos Parceiros de Vendas
|
||||
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
|
||||
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt_dashboard.py +18,Related,Relacionados
|
||||
DocType: Grading Scale,Grading Scale Name,Nome escala de avaliação
|
||||
apps/erpnext/erpnext/accounts/doctype/account/account.js +41,This is a root account and cannot be edited.,Esta é uma conta de root e não pode ser editada.
|
||||
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 em desconto para {0}
|
||||
@ -91,7 +91,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not auth
|
||||
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 +907,Select BOM,Selecionar LDM
|
||||
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +913,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
|
||||
@ -111,7 +111,7 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise
|
||||
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 +108,Activity Log:,Log de Atividade:
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +245,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 +250,Item {0} does not exist in the system or has expired,Item {0} não existe no sistema ou expirou
|
||||
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Extrato da conta
|
||||
DocType: Purchase Invoice Item,Is Fixed Asset,É Ativo Imobilizado
|
||||
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","A qtde disponível é {0}, você necessita de {1}"
|
||||
@ -122,6 +122,7 @@ DocType: Production Planning Tool,Pull Material Request of type Manufacture base
|
||||
DocType: Training Result Employee,Grade,Nota de Avaliação
|
||||
DocType: Sales Invoice Item,Delivered By Supplier,Proferido por Fornecedor
|
||||
DocType: SMS Center,All Contact,Todo o Contato
|
||||
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +901,Production Order already created for all items with BOM,Ordens de produção já criadas para todos os itens com LDM
|
||||
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 +357,{0} {1} is frozen,{0} {1} está congelado
|
||||
@ -137,7 +138,7 @@ DocType: Upload Attendance,"Download the Template, fill appropriate data and att
|
||||
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 +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 +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Para incluir impostos na linha {0} na taxa de Item, os impostos em linhas {1} também deve ser incluída"
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +657,"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
|
||||
@ -184,7 +185,6 @@ DocType: Delivery Note Item,Against Sales Invoice Item,Contra Vendas Nota Fiscal
|
||||
,Production Orders in Progress,Ordens em Produção
|
||||
DocType: Lead,Address & Contact,Endereço e Contato
|
||||
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
|
||||
apps/erpnext/erpnext/utilities/user_progress.py +46,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.
|
||||
@ -201,7 +201,7 @@ 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 +673,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 +675,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 +88,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
|
||||
@ -215,8 +215,8 @@ DocType: Item,Minimum Order Qty,Pedido Mínimo
|
||||
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 +693,Item {0} is cancelled,Item {0} é cancelada
|
||||
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Material Request,Requisição de Material
|
||||
apps/erpnext/erpnext/stock/doctype/item/item.py +695,Item {0} is cancelled,Item {0} é cancelada
|
||||
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +903,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 +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}"
|
||||
@ -261,13 +261,12 @@ DocType: GL Entry,Debit Amount in Account Currency,Débito em moeda da conta
|
||||
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 artigo é um modelo e não podem ser usados em transações. Atributos item será copiado para as variantes a menos 'No Copy' é definido
|
||||
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +69,Total Order Considered,Total considerado em pedidos
|
||||
apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director etc.).","Designação do colaborador (por exemplo, CEO, Diretor, etc.)"
|
||||
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 +571,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 +558,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 +865,Select Item,Selecionar item
|
||||
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +870,Select Item,Selecionar item
|
||||
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +140,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
|
||||
@ -294,7 +293,7 @@ DocType: Employee,Widowed,Viúvo(a)
|
||||
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 +1472,Create a new Customer,Criar novo Cliente
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +1481,Create a new Customer,Criar novo Cliente
|
||||
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Se várias regras de preços continuam a prevalecer, os usuários são convidados a definir a prioridade manualmente para resolver o conflito."
|
||||
apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Criar Pedidos de Compra
|
||||
,Purchase Register,Registro de Compras
|
||||
@ -322,7 +321,7 @@ DocType: Notification Control,Customize the introductory text that goes as a par
|
||||
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 +635,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 +637,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
|
||||
@ -356,7 +355,7 @@ 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 +531,"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 +533,"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
|
||||
@ -406,7 +405,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,Banco de Dados de
|
||||
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 +799,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Unidade de medida padrão para item {0} não pode ser alterado diretamente porque você já fez alguma transação (s) com outra Unidade de Medida. Você precisará criar um novo item para usar uma Unidade de Medida padrão diferente.
|
||||
apps/erpnext/erpnext/stock/doctype/item/item.py +801,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 +349,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
|
||||
@ -467,7 +466,7 @@ DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Impostos e
|
||||
DocType: Production Order Operation,Actual Start Time,Hora Real de Início
|
||||
DocType: BOM Operation,Operation Time,Tempo da Operação
|
||||
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,Finalizar
|
||||
DocType: Journal Entry,Write Off Amount,Valor do abatimento
|
||||
apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1187,Write Off Amount,Valor do abatimento
|
||||
DocType: Leave Block List Allow,Allow User,Permitir que o usuário
|
||||
DocType: Journal Entry,Bill No,Nota nº
|
||||
DocType: Company,Gain/Loss Account on Asset Disposal,Conta de Ganho / Perda com Descarte de Ativos
|
||||
@ -485,12 +484,12 @@ DocType: Vehicle,Odometer Value (Last),Quilometragem do Odômetro (última)
|
||||
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Marketing,marketing
|
||||
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +284,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 +558,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 +545,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 +614,Item has variants.,Item tem variantes.
|
||||
apps/erpnext/erpnext/stock/doctype/item/item.py +616,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
|
||||
@ -523,7 +522,7 @@ 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 +289,Row {0}: Conversion Factor is mandatory,Linha {0}: Fator de Conversão é obrigatório
|
||||
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +326,"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 +479,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/manufacturing/doctype/bom/bom.py +495,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 +109,Make Timesheet,Fazer Registro de Tempo
|
||||
@ -585,7 +584,7 @@ DocType: Vehicle,Acquisition Date,Data da Aquisição
|
||||
apps/erpnext/erpnext/utilities/user_progress.py +100,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 +562,Row #{0}: Asset {1} must be submitted,Linha # {0}: Ativo {1} deve ser apresentado
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +549,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
|
||||
@ -634,9 +633,10 @@ apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_
|
||||
DocType: Company,Registration Details,Detalhes de Registro
|
||||
DocType: Item Reorder,Re-Order Qty,Qtde para Reposição
|
||||
DocType: Leave Block List Date,Leave Block List Date,Deixe Data Lista de Bloqueios
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +91,BOM #{0}: Raw material cannot be same as main Item,LDM # {0}: A matéria-prima não pode ser igual ao item principal
|
||||
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 +360,"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 +347,"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
|
||||
@ -658,7 +658,7 @@ DocType: Item Attribute,Item Attribute Values,Valores dos Atributos
|
||||
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 +302,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 +558,BOM {0} must be active,LDM {0} deve ser ativa
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +574,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
|
||||
@ -683,10 +683,10 @@ DocType: Employee,Exit Interview Details,Detalhes da Entrevista de Saída
|
||||
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 +745,New Sales Invoice,Nova Nota Fiscal de Venda
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +754,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 +758,Sync Offline Invoices,Sincronizar Faturas Offline
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +767,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 +73, 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
|
||||
@ -739,7 +739,7 @@ DocType: Landed Cost Purchase Receipt,Landed Cost Purchase Receipt,Recibo de Com
|
||||
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 +632,Attribute table is mandatory,A tabela de atributos é obrigatório
|
||||
apps/erpnext/erpnext/stock/doctype/item/item.py +634,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
|
||||
@ -761,7 +761,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B
|
||||
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 +1562,ZIP Code,CEP
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +1571,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
|
||||
@ -773,10 +773,11 @@ DocType: Holiday List,Get Weekly Off Dates,Obter datas de descanso semanal
|
||||
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,Data final não pode ser inferior a data de início
|
||||
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.
|
||||
apps/erpnext/erpnext/config/manufacturing.py +74,Replace BOM and update latest price in all BOMs,Substitua a LDM e atualize o preço mais recente em todas as LDMs
|
||||
apps/erpnext/erpnext/utilities/user_progress.py +64,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 +61,All BOMs,Todas as LDMs
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +57,All BOMs,Todas as LDMs
|
||||
DocType: Expense Claim,From Employee,Do Colaborador
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +420,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 +407,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
|
||||
@ -787,7 +788,7 @@ apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_
|
||||
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,"Números de registro da empresa para sua referência. Exemplo: CNPJ, IE, etc"
|
||||
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Regra de Envio do Carrinho de Compras
|
||||
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,Ordem de produção {0} deve ser cancelado antes de cancelar este Pedido de Venda
|
||||
apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',"Por favor, defina "Aplicar desconto adicional em '"
|
||||
apps/erpnext/erpnext/public/js/controllers/transaction.js +68,Please set 'Apply Additional Discount On',"Por favor, defina "Aplicar desconto adicional em '"
|
||||
,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
|
||||
@ -840,7 +841,7 @@ apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one
|
||||
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 +505,"An Item Group exists with same name, please change the item name or rename the item group","Um grupo de itens existe com o mesmo nome, por favor, mude o nome do item ou mude o nome do grupo de itens"
|
||||
apps/erpnext/erpnext/stock/doctype/item/item.py +507,"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 +366,Rest Of The World,Resto do Mundo
|
||||
@ -883,7 +884,7 @@ 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 +868,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 +750,Sync Master Data,Sincronizar com o Servidor
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +759,Sync Master Data,Sincronizar com o Servidor
|
||||
apps/erpnext/erpnext/utilities/user_progress.py +92,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 +178,Website Image should be a public file or website URL,Site de imagem deve ser um arquivo público ou URL do site
|
||||
@ -903,7 +904,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar
|
||||
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
|
||||
DocType: Appraisal Goal,Goal,Meta
|
||||
,Team Updates,Updates da Equipe
|
||||
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +885,For Supplier,Para Fornecedor
|
||||
DocType: Account,Setting Account Type helps in selecting this Account in transactions.,Definir o Tipo de Conta ajuda na seleção desta Conta nas transações.
|
||||
@ -919,7 +919,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js
|
||||
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 +564,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 +580,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
|
||||
@ -965,14 +965,14 @@ DocType: Item,Maintain Stock,Manter Estoque
|
||||
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/controllers/accounts_controller.py +676,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 +663,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 +350,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 +684,Item {0} is not a stock Item,Item {0} não é um item de estoque
|
||||
apps/erpnext/erpnext/stock/doctype/item/item.py +686,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
|
||||
@ -1143,7 +1143,7 @@ DocType: Packed Item,To Warehouse (Optional),Para o Armazén (Opcional)
|
||||
DocType: Payment Entry,Paid Amount (Company Currency),Valor pago (moeda da empresa)
|
||||
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/selling/doctype/sales_order/sales_order_dashboard.py +18,Fulfillment,Realização
|
||||
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Despesas com Marketing
|
||||
,Item Shortage Report,Relatório de Escassez de Itens
|
||||
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"""
|
||||
@ -1164,12 +1164,12 @@ 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 +293,Quantity required for Item {0} in row {1},Quantidade necessária para item {0} na linha {1}
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,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 +713,Offline,Offline
|
||||
apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +57,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: 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
|
||||
@ -1183,7 +1183,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +416,Default BOM ({0}) must be a
|
||||
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 +1078,Make Purchase Order,Criar Pedido de Compra
|
||||
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1084,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
|
||||
@ -1197,7 +1197,7 @@ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set
|
||||
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 +561,BOM {0} must be submitted,LDM {0} deve ser enviada
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +577,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 +306,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Linha # {0}: Armazén Rejeitado é obrigatório para o item rejeitado {1}
|
||||
apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Gerir seus pedidos
|
||||
@ -1251,7 +1251,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not se
|
||||
DocType: Maintenance Visit,Maintenance Time,Horário da Manutenção
|
||||
,Amount to Deliver,Total à Entregar
|
||||
DocType: Guardian,Guardian Interests,Interesses do Responsável
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,"Vários anos fiscais existem para a data {0}. Por favor, defina empresa no ano fiscal"
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +240,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,"Vários anos fiscais existem para a data {0}. Por favor, defina empresa no ano fiscal"
|
||||
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} criou
|
||||
DocType: Delivery Note Item,Against Sales Order,Relacionado ao Pedido de Venda
|
||||
,Serial No Status,Status do Nº de Série
|
||||
@ -1279,7 +1279,7 @@ DocType: Account,Frozen,Congelado
|
||||
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 +74,Delete all the Transactions for this Company,Apagar todas as transações para esta empresa
|
||||
apps/erpnext/erpnext/setup/doctype/company/company.js +84,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
|
||||
@ -1305,7 +1305,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing R
|
||||
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 +175,{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 +902,Select BOM and Qty for Production,Selecionar LDM e quantidade para produção
|
||||
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +908,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
|
||||
@ -1336,7 +1336,7 @@ apps/erpnext/erpnext/hooks.py +132,Timesheets,Registros de Tempo
|
||||
DocType: HR Settings,HR Settings,Configurações de RH
|
||||
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +111,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: Purchase Invoice,Additional Discount Amount,Total do Desconto Adicional
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +544,"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 +531,"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 +286,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 +62,Group to Non-Group,Grupo para Não-Grupo
|
||||
@ -1358,10 +1358,10 @@ DocType: Workstation,Wages per hour,Salário por hora
|
||||
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Da balança em Batch {0} se tornará negativo {1} para item {2} no Armazém {3}
|
||||
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,As seguintes Requisições de Material foram criadas automaticamente com base no nível de reposição do item
|
||||
DocType: Email Digest,Pending Sales Orders,Pedidos de Venda Pendentes
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +292,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 +279,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 +1032,"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 +1024,"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 +297,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
|
||||
@ -1429,7 +1429,7 @@ apps/erpnext/erpnext/config/stock.py +315,Serialized Inventory,Inventário por N
|
||||
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 +80,Receivable Account,Contas a Receber
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},Linha # {0}: Ativo {1} já é {2}
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +553,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,7 +1462,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm
|
||||
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 +114,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 +317,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/manufacturing/doctype/bom/bom.py +329,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
|
||||
@ -1508,7 +1508,7 @@ DocType: Employee,Employment Details,Detalhes de emprego
|
||||
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 +492,Boms,LDMs
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +508,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 +328,Travel,Viagem
|
||||
@ -1517,12 +1517,12 @@ DocType: Leave Block List,Allow Users,Permitir que os usuários
|
||||
DocType: Purchase Order,Customer Mobile No,Celular do Cliente
|
||||
DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Acompanhe resultados separada e despesa para verticais de produtos ou divisões.
|
||||
DocType: Rename Tool,Rename Tool,Ferramenta de Renomear
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Atualize o custo
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +72,Update Cost,Atualize o custo
|
||||
DocType: Item Reorder,Item Reorder,Reposição de Item
|
||||
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,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 +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 +993,Please set recurring after saving,"Por favor, defina recorrentes depois de salvar"
|
||||
apps/erpnext/erpnext/public/js/controllers/transaction.js +997,Please set recurring after saving,"Por favor, defina recorrentes depois de salvar"
|
||||
apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +755,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
|
||||
@ -1557,19 +1557,19 @@ DocType: Buying Settings,Buying Settings,Configurações de Compras
|
||||
DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Nº da LDM para um Item Bom Acabado
|
||||
DocType: Upload Attendance,Attendance To Date,Data Final de Comparecimento
|
||||
DocType: Warranty Claim,Raised By,Levantadas por
|
||||
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +874,Please specify Company to proceed,"Por favor, especifique Empresa proceder"
|
||||
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +880,Please specify Company to proceed,"Por favor, especifique Empresa proceder"
|
||||
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,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 +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."
|
||||
apps/erpnext/erpnext/setup/doctype/company/company.js +62,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 +167,{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 +287,Raw Materials cannot be blank.,Matérias-primas não pode ficar em branco.
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +299,Raw Materials cannot be blank.,Matérias-primas não pode ficar em branco.
|
||||
apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +486,"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 +484,Quick Journal Entry,Lançamento no Livro Diário Rápido
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +169,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 +200,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}"
|
||||
@ -1579,6 +1579,7 @@ DocType: Production Planning Tool,Separate production order will be created for
|
||||
DocType: Purchase Invoice,Terms and Conditions1,Termos e Condições
|
||||
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Registros contábeis congelados até a presente data, ninguém pode criar/modificar registros com exceção do perfil especificado abaixo."
|
||||
apps/erpnext/erpnext/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/manufacturing/doctype/bom_update_tool/bom_update_tool.js +30,Latest price updated in all BOMs,Preço mais recente atualizado em todas as LDMs
|
||||
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 +428,The following Production Orders were created:,As ordens de produção seguintes foram criadas:
|
||||
@ -1602,6 +1603,7 @@ DocType: Production Order,Actual End Date,Data Final Real
|
||||
DocType: BOM,Operating Cost (Company Currency),Custo operacional (moeda da empresa)
|
||||
DocType: Purchase Invoice,PINV-,NFC-
|
||||
DocType: Authorization Rule,Applicable To (Role),Aplicável Para (Função)
|
||||
DocType: BOM Update Tool,Replace BOM,Substituir lista de materiais
|
||||
DocType: Stock Entry,Purpose,Finalidade
|
||||
DocType: Company,Fixed Asset Depreciation Settings,Configurações de Depreciação do Ativo Imobilizado
|
||||
DocType: Item,Will also apply for variants unless overrridden,Também se aplica a variantes a não ser que seja sobrescrito
|
||||
@ -1686,7 +1688,7 @@ apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +7,Training Res
|
||||
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 +293, or ,ou
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +280, 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 +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
|
||||
@ -1725,7 +1727,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax
|
||||
DocType: Account,Income Account,Conta de Receitas
|
||||
DocType: Payment Request,Amount in customer's currency,Total em moeda do cliente
|
||||
DocType: Stock Reconciliation Item,Current Qty,Qtde atual
|
||||
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",Consulte "taxa de materiais baseados em" no Custeio Seção
|
||||
DocType: Appraisal Goal,Key Responsibility Area,Área de responsabilidade principal
|
||||
DocType: Payment Entry,Total Allocated Amount,Total alocado
|
||||
DocType: Item Reorder,Material Request Type,Tipo de Requisição de Material
|
||||
@ -1743,8 +1744,8 @@ DocType: Employee Education,Class / Percentage,Classe / Percentual
|
||||
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,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/public/js/controllers/transaction.js +1094,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 +816,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 +1098,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 +827,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 +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
|
||||
@ -1781,7 +1782,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm
|
||||
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
|
||||
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +201,Please create Customer from Lead {0},"Por favor, crie um Cliente apartir do Cliente em Potencial {0}"
|
||||
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +204,Please create Customer from Lead {0},"Por favor, crie um Cliente apartir do Cliente em Potencial {0}"
|
||||
DocType: Price List,Applicable for Countries,Aplicável para os Países
|
||||
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,"Somente pedidos de licença com o status ""Aprovado"" ou ""Rejeitado"" podem ser enviados"
|
||||
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +52,Student Group Name is mandatory in row {0},Nome do Grupo de Alunos é obrigatório na linha {0}
|
||||
@ -1874,7 +1875,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f
|
||||
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 +671,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 +665,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 +165,Please enter {0} first,"Por favor, indique {0} primeiro"
|
||||
DocType: Production Order Operation,Actual End Time,Tempo Final Real
|
||||
@ -1886,7 +1887,7 @@ DocType: Training Event,Scheduled,Agendado
|
||||
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 +489,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 +476,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 +329,Price List Currency not selected,Lista de Preço Moeda não selecionado
|
||||
@ -1896,7 +1897,6 @@ DocType: Rename Tool,Rename Log,Renomear Log
|
||||
DocType: Maintenance Visit Purpose,Against Document No,Contra o Documento Nº
|
||||
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Gerenciar parceiros de vendas.
|
||||
apps/erpnext/erpnext/utilities/activation.py +117,Add Students,Adicionar Alunos
|
||||
apps/erpnext/erpnext/controllers/recurring_document.py +169,Please select {0},Por favor selecione {0}
|
||||
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
|
||||
@ -1957,7 +1957,7 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,Todos as
|
||||
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 +357,Amount {0} {1} {2} {3},Total {0} {1} {2} {3}
|
||||
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,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 +490,Payment Entries {0} are un-linked,Os Registos de Pagamento {0} não estão relacionados
|
||||
DocType: GL Entry,Voucher No,Nº do Comprovante
|
||||
@ -2009,7 +2009,7 @@ DocType: Sales Invoice Item,Available Qty at Warehouse,Qtde Disponível no Estoq
|
||||
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 +179,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 +575,'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 +562,'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
|
||||
@ -2042,7 +2042,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Ítem da Programaç
|
||||
DocType: Production Order,PRO-,OP-
|
||||
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 +40,Browse BOM,Navegar LDM
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +75,Browse BOM,Navegar LDM
|
||||
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +101,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 +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
|
||||
@ -2108,12 +2108,12 @@ apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Faturas e
|
||||
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/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Subcontratação
|
||||
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +30,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 +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 +1963,Please select customer,Selecione o cliente
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +1972,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
|
||||
@ -2134,7 +2134,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast o
|
||||
apps/erpnext/erpnext/public/js/setup_wizard.js +32,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 +554,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 +541,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
|
||||
DocType: Stock Entry,Customer or Supplier Details,Detalhes do Cliente ou Fornecedor
|
||||
@ -2200,7 +2200,6 @@ apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Ac
|
||||
apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Modelos de Endereços Padronizados por País
|
||||
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/accounts/party.py +315,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 +71,No students Found,Nenhum Aluno Encontrado
|
||||
@ -2227,12 +2226,12 @@ DocType: Company,Create Chart Of Accounts Based On,Criar plano de contas baseado
|
||||
apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot be greater than today.,Data de nascimento não pode ser maior do que hoje.
|
||||
,Stock Ageing,Envelhecimento do Estoque
|
||||
apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,Registro de Tempo
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' está desativado
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +233,{0} '{1}' is disabled,{0} '{1}' está desativado
|
||||
DocType: Cheque Print Template,Scanned Cheque,Cheque Escaneado
|
||||
DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,Enviar emails automáticos para Contatos sobre transações de enviar.
|
||||
DocType: Purchase Order,Customer Contact Email,Cliente Fale Email
|
||||
DocType: Warranty Claim,Item and Warranty Details,Itens e Garantia Detalhes
|
||||
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
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +75,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/utilities/user_progress.py +201,Add Users,Adicionar Usuários
|
||||
@ -2240,7 +2239,7 @@ 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 +433,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/setup/doctype/company/company.js +60,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 +79,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.
|
||||
@ -2262,7 +2261,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +818,Iss
|
||||
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 +692,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 +701,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 +47,No Student Groups created.,Não foi criado nenhum grupo de alunos.
|
||||
DocType: Purchase Invoice Item,Serial No,Nº de Série
|
||||
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,"Por favor, indique Maintaince Detalhes primeiro"
|
||||
@ -2278,9 +2277,10 @@ DocType: Payment Reconciliation,Maximum Invoice Amount,Valor Máximo da Fatura
|
||||
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 +625,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 +627,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',A unidade de medida padrão para a variante '{0}' deve ser o mesmo que no modelo '{1}'
|
||||
DocType: Shipping Rule,Calculate Based On,Calcule Baseado em
|
||||
DocType: Delivery Note Item,From Warehouse,Armazén de Origem
|
||||
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,No Items with Bill of Materials to Manufacture,Não há itens com Lista de Materiais para Fabricação
|
||||
DocType: Assessment Plan,Supervisor Name,Nome do supervisor
|
||||
DocType: Purchase Taxes and Charges,Valuation and Total,Valorização e Total
|
||||
DocType: Notification Control,Customize the Notification,Personalizar a Notificação
|
||||
@ -2327,13 +2327,14 @@ apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.p
|
||||
DocType: Item,Default Material Request Type,Tipo de Requisição de Material Padrão
|
||||
DocType: Shipping Rule,Shipping Rule Conditions,Regra Condições de envio
|
||||
DocType: BOM Update Tool,The new BOM after replacement,A nova LDM após substituição
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +659,Point of Sale,Ponto de Vendas
|
||||
,Point of Sale,Ponto de Vendas
|
||||
DocType: Payment Entry,Received Amount,Total recebido
|
||||
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Criar para quantidade total, ignorar quantidade já pedida"
|
||||
DocType: Production Planning Tool,Production Planning Tool,Ferramenta de Planejamento da Produção
|
||||
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +150,"Batched Item {0} cannot be updated using Stock Reconciliation, instead use Stock Entry","O item em lote {0} não pode ser atualizado utilizando a Reconciliação de Estoque, em vez disso, utilize o Lançamento de Estoque"
|
||||
DocType: Quality Inspection,Report Date,Data do Relatório
|
||||
DocType: Job Opening,Job Title,Cargo
|
||||
DocType: Manufacturing Settings,Update BOM Cost Automatically,Atualize automaticamente o preço da lista de materiais
|
||||
apps/erpnext/erpnext/utilities/activation.py +99,Create Users,Criar Usuários
|
||||
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,Quantidade de Fabricação deve ser maior que 0.
|
||||
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Relatório da visita da chamada de manutenção.
|
||||
@ -2348,7 +2349,7 @@ DocType: Serial No,AMC Expiry Date,Data de Validade do CAM
|
||||
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 +19,Select your Domain,Selecione o seu Domínio
|
||||
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +364,Transaction reference no {0} dated {1},Referência da transação nº {0} em {1}
|
||||
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +358,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 +479,Please remove this Invoice {0} from C-Form {1},"Por favor, remova esta Invoice {0} a partir de C-Form {1}"
|
||||
@ -2384,7 +2385,7 @@ DocType: Leave Allocation,Unused leaves,Folhas não utilizadas
|
||||
DocType: Tax Rule,Billing State,Estado de Faturamento
|
||||
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,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/accounts_controller.py +110,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
|
||||
DocType: Journal Entry,Pay To / Recd From,Pagar Para / Recebido De
|
||||
DocType: Naming Series,Setup Series,Configuração de Séries
|
||||
@ -2406,7 +2407,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.
|
||||
apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,Registro de instalação de um nº de série
|
||||
apps/erpnext/erpnext/config/hr.py +177,Training,Treinamento
|
||||
DocType: Timesheet,Employee Detail,Detalhes do Colaborador
|
||||
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,No dia seguinte de Data e Repetir no dia do mês deve ser igual
|
||||
apps/erpnext/erpnext/subscription/doctype/subscription/subscription.py +49,Next Date's day and Repeat on Day of Month must be equal,No dia seguinte de Data e Repetir no dia do mês deve ser igual
|
||||
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Configurações para página inicial do site
|
||||
DocType: Offer Letter,Awaiting Response,Aguardando Resposta
|
||||
DocType: Salary Slip,Earning & Deduction,Ganho & Dedução
|
||||
@ -2444,7 +2445,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Ent
|
||||
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 +56,Opening Value,Valor de Abertura
|
||||
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47,Serial #,Serial #
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +578,"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 +565,"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}.
|
||||
@ -2464,15 +2465,14 @@ 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 +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 +119,Travel Expenses,Despesas com viagem
|
||||
DocType: Maintenance Visit,Breakdown,Pane
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,A Conta: {0} com moeda: {1} não pode ser selecionada
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +677,Account: {0} with currency: {1} can not be selected,A Conta: {0} com moeda: {1} não pode ser selecionada
|
||||
DocType: Manufacturing Settings,"Update BOM cost automatically via Scheduler, based on latest valuation rate / price list rate / last purchase rate of raw materials.","Atualize o custo da lista lista de materiais automaticamente através do Agendador, com base na taxa de avaliação / taxa de preços mais recente / última taxa de compra de matérias-primas."
|
||||
apps/erpnext/erpnext/accounts/doctype/account/account.py +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 +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/setup/doctype/company/company.js +77,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 +91,Probation,Provação
|
||||
apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +762,Return / Credit Note,Devolução / Nota de Crédito
|
||||
@ -2481,7 +2481,7 @@ DocType: Production Order Item,Transferred Qty,Qtde Transferida
|
||||
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +179,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 +80,Supplier Id,ID do Fornecedor
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +253,Quantity should be greater than 0,Quantidade deve ser maior do que 0
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,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."
|
||||
@ -2506,7 +2506,7 @@ apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Cotaç
|
||||
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 +134,All Customer Groups,Todos os grupos de clientes
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} é obrigatório. Talvez o valor de câmbio não exista de {1} para {2}.
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +638,{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 +40,Tax Template is mandatory.,Modelo de impostos é obrigatório.
|
||||
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)
|
||||
@ -2522,7 +2522,7 @@ DocType: POS Profile,Apply Discount On,Aplicar Discount On
|
||||
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Linha # {0}: O número de série é obrigatório
|
||||
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Detalhes do Imposto Vinculados ao Item
|
||||
,Item-wise Price List Rate,Lista de Preços por Item
|
||||
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +916,Supplier Quotation,Orçamento de Fornecedor
|
||||
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +921,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 +445,Barcode {0} already used in Item {1},Código de barras {0} já utilizado em item {1}
|
||||
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Regras para adicionar os custos de envio .
|
||||
@ -2574,6 +2574,7 @@ DocType: Depreciation Schedule,Accumulated Depreciation Amount,Total de Deprecia
|
||||
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +42,Private Equity,Patrimônio Líquido
|
||||
DocType: Maintenance Visit,Customer Feedback,Comentário do Cliente
|
||||
DocType: Item Attribute,From Range,Da Faixa
|
||||
DocType: BOM,Set rate of sub-assembly item based on BOM,Taxa ajustada do item de subconjunto com base na lista de materiais
|
||||
DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Configurações Resumo de Trabalho Diário da Empresa
|
||||
apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,Item {0} ignorado uma vez que não é um item de estoque
|
||||
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,Enviar esta ordem de produção para posterior processamento.
|
||||
@ -2618,7 +2619,7 @@ DocType: Production Order Operation,Production Order Operation,Ordem de produç
|
||||
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +113,"Asset {0} cannot be scrapped, as it is already {1}","Activo {0} não pode ser descartado, uma vez que já é {1}"
|
||||
DocType: Task,Total Expense Claim (via Expense Claim),Reivindicação Despesa Total (via Despesa Claim)
|
||||
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Marcar Ausente
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,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 +140,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 +573,Sales Order {0} is not submitted,Pedido de Venda {0} não foi enviado
|
||||
DocType: Homepage,Tag Line,Slogan
|
||||
@ -2657,13 +2658,13 @@ 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 +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 +2397,Select items to save the invoice,Selecione os itens para salvar a nota
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +2406,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}
|
||||
DocType: Production Order,Planned Operating Cost,Custo Operacional Planejado
|
||||
DocType: Academic Term,Term Start Date,Data de Início do Ano Letivo
|
||||
apps/erpnext/erpnext/controllers/recurring_document.py +136,Please find attached {0} #{1},Segue em anexo {0} # {1}
|
||||
apps/erpnext/erpnext/subscription/doctype/subscription/subscription.py +176,Please find attached {0} #{1},Segue em anexo {0} # {1}
|
||||
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Extrato bancário de acordo com o livro razão
|
||||
DocType: Authorization Rule,Customer / Item Name,Nome do Cliente/Produto
|
||||
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**.
|
||||
@ -2691,8 +2692,8 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Project Manager
|
||||
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 +288,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 +919,Select Items to Manufacture,Selecionar Itens para Produzir
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +944,"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 +925,Select Items to Manufacture,Selecionar Itens para Produzir
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +953,"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
|
||||
@ -2708,6 +2709,7 @@ DocType: Employee,"Here you can maintain height, weight, allergies, medical conc
|
||||
DocType: Leave Block List,Applies to Company,Aplica-se a Empresa
|
||||
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,Não pode cancelar por causa da entrada submetido {0} existe
|
||||
DocType: Employee Loan,Disbursement Date,Data do Desembolso
|
||||
DocType: BOM Update Tool,Update latest price in all BOMs,Atualize o preço mais recente em todas as LDMs
|
||||
apps/erpnext/erpnext/hr/doctype/employee/employee.py +217,Today is {0}'s birthday!,{0} faz aniversário hoje!
|
||||
DocType: Production Planning Tool,Material Request For Warehouse,Requisição de Material para Armazém
|
||||
DocType: Sales Order Item,For Production,Para Produção
|
||||
@ -2719,7 +2721,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n
|
||||
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 +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 +649,Item variant {0} exists with same attributes,Variante item {0} existe com os mesmos atributos
|
||||
apps/erpnext/erpnext/stock/doctype/item/item.py +651,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
|
||||
@ -2731,14 +2733,14 @@ DocType: BOM,Manage cost of operations,Gerenciar 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 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 +952,It is needed to fetch Item Details.,É preciso buscar Número detalhes.
|
||||
apps/erpnext/erpnext/public/js/controllers/transaction.js +956,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 +217,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 +1331,Delete permanently?,Apagar de forma permanente?
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +1340,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 +81,Sick Leave,Licença Médica
|
||||
@ -2764,7 +2766,7 @@ apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Veja os
|
||||
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 +1015,Please select {0} first,Por favor selecione {0} primeiro
|
||||
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1007,Please select {0} first,Por favor selecione {0} primeiro
|
||||
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,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
|
||||
@ -2807,7 +2809,7 @@ DocType: Budget,Action if Accumulated Monthly Budget Exceeded,Ação se o Acumul
|
||||
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 +494,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 +496,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 +458,Production Order {0} must be submitted,Ordem de produção {0} deve ser enviado
|
||||
@ -2845,7 +2847,7 @@ DocType: Student Group Creation Tool,Student Group Creation Tool,Ferramenta de C
|
||||
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 +80,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 +360,Received From,Recebido de
|
||||
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +354,Received From,Recebido de
|
||||
DocType: Item,Has Serial No,Tem nº de Série
|
||||
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +24,{0}: From {0} for {1},{0}: A partir de {0} para {1}
|
||||
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},Linha # {0}: Defina o fornecedor para o item {1}
|
||||
@ -2853,7 +2855,7 @@ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Hours
|
||||
apps/erpnext/erpnext/stock/doctype/item/item.py +171,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 +89,Item: {0} does not exist in the system,Item: {0} não existe no sistema
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +85,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
|
||||
@ -2889,10 +2891,9 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc
|
||||
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +323,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 +677,Item {0} is disabled,Item {0} está desativado
|
||||
apps/erpnext/erpnext/stock/doctype/item/item.py +679,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 +895,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}"
|
||||
@ -2981,7 +2982,6 @@ DocType: Period Closing Voucher,Period Closing Voucher,Comprovante de Encerramen
|
||||
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 +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 +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
|
||||
@ -3002,7 +3002,7 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analys
|
||||
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Quantidade do item obtido após a fabricação / reembalagem a partir de determinadas quantidades de matéria-prima
|
||||
DocType: Payment Reconciliation,Receivable / Payable Account,Conta de Recebimento/Pagamento
|
||||
DocType: Delivery Note Item,Against Sales Order Item,Relacionado ao Item do Pedido de Venda
|
||||
apps/erpnext/erpnext/stock/doctype/item/item.py +644,Please specify Attribute Value for attribute {0},"Por favor, especifique Atributo Valor para o atributo {0}"
|
||||
apps/erpnext/erpnext/stock/doctype/item/item.py +646,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
|
||||
@ -3037,7 +3037,7 @@ DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Manter o mes
|
||||
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 +1363,Select or add new customer,Selecione ou adicione um novo cliente
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +1372,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
|
||||
@ -3061,7 +3061,7 @@ DocType: Maintenance Schedule,Schedule,Agendar
|
||||
DocType: Account,Parent Account,Conta Superior
|
||||
,Hub,Cubo
|
||||
DocType: GL Entry,Voucher Type,Tipo de Comprovante
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +1655,Price List not found or disabled,Preço de tabela não encontrado ou deficientes
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +1664,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 +264,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
|
||||
@ -3074,7 +3074,7 @@ DocType: POS Profile,Account for Change Amount,Conta para troco
|
||||
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 +1040,"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 +1032,"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
|
||||
|
|
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
@ -1,10 +1,12 @@
|
||||
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +115,'Opening','Početno stanje'
|
||||
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Prosjek dnevne isporuke
|
||||
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Skladište {0} ne može biti obrisano dok postoji zaliha za artikal {1}
|
||||
DocType: Item,Is Purchase Item,Artikal je za poručivanje
|
||||
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,Skladište {0} ne postoji
|
||||
apps/erpnext/erpnext/config/selling.py +18,Confirmed orders from Customers.,Potvrđene porudžbine od strane kupaca
|
||||
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Prijavi grešku
|
||||
DocType: Purchase Invoice Item,Item Tax Rate,Poreska stopa
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +1472,Create a new Customer,Kreirajte novog kupca
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +1481,Create a new Customer,Kreirajte novog kupca
|
||||
DocType: Item Variant Attribute,Attribute,Atribut
|
||||
DocType: POS Profile,POS Profile,POS profil
|
||||
DocType: Purchase Invoice,Currency and Price List,Valuta i cjenovnik
|
||||
@ -38,7 +40,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group
|
||||
DocType: Item,Customer Code,Šifra kupca
|
||||
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Dozvolite više prodajnih naloga koji su vezani sa porudžbenicom kupca
|
||||
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Ukupno isporučeno
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Currency of the price list {0} is not similar with the selected currency {1},Valuta cjenovnika {0} nema sličnosti sa odabranom valutom {1}
|
||||
DocType: Sales Order,% Delivered,% Isporučeno
|
||||
DocType: Journal Entry Account,Party Balance,Stanje kupca
|
||||
apps/erpnext/erpnext/config/selling.py +23,Customers,Kupci
|
||||
@ -46,8 +47,10 @@ DocType: Production Order,Production Order,Proizvodne porudžbine
|
||||
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Kupovina
|
||||
apps/erpnext/erpnext/accounts/party.py +361,{0} {1} is not active,{0} {1} nije aktivan
|
||||
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +806,Get Items from BOM,Dodaj stavke iz БОМ
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +1963,Please select customer,Odaberite kupca
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +1972,Please select customer,Odaberite kupca
|
||||
apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,Nova adresa
|
||||
,Stock Summary,Pregled zalihe
|
||||
DocType: Stock Entry Detail,Additional Cost,Dodatni trošak
|
||||
,Purchase Invoice Trends,Trendovi faktura dobavljaća
|
||||
DocType: Item Price,Item Price,Cijena artikla
|
||||
DocType: Sales Order Item,Sales Order Date,Datum prodajnog naloga
|
||||
@ -65,6 +68,7 @@ DocType: Bank Reconciliation,Account Currency,Valuta računa
|
||||
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Otvoreni projekti
|
||||
DocType: POS Profile,Price List,Cjenovnik
|
||||
DocType: Activity Cost,Projects,Projekti
|
||||
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +624,Supplier Invoice Date cannot be greater than Posting Date,Datum fakture dobavljača ne može biti veći od datuma otvaranja fakture
|
||||
DocType: Production Planning Tool,Sales Orders,Prodajni nalozi
|
||||
DocType: Item,Manufacturer Part Number,Proizvođačka šifra
|
||||
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Prosječna vrijednost nabavke
|
||||
@ -72,7 +76,9 @@ DocType: Sales Order Item,Gross Profit,Bruto dobit
|
||||
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Grupiši po računu.
|
||||
DocType: Asset,Item Name,Naziv artikla
|
||||
DocType: Item,Will also apply for variants,Biće primijenjena i na varijante
|
||||
DocType: Purchase Invoice,Total Advance,Ukupno Avans
|
||||
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Prodajni nalog za plaćanje
|
||||
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,Serijski broj {0} ne pripada ni jednom skladištu
|
||||
,Sales Analytics,Prodajna analitika
|
||||
DocType: Sales Invoice,Customer Address,Adresa kupca
|
||||
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +68,Total (Credit),Ukupno bez PDV-a (duguje)
|
||||
@ -83,30 +89,36 @@ DocType: Sales Order,Customer's Purchase Order,Porudžbenica kupca
|
||||
DocType: Employee Loan,Totals,Ukupno
|
||||
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,Dodaj stavke iz
|
||||
DocType: C-Form,Total Invoiced Amount,Ukupno fakturisano
|
||||
DocType: Purchase Invoice,Supplier Invoice Date,Datum fakture dobavljača
|
||||
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Knjiženje {0} nema nalog {1} ili je već povezan sa drugim izvodom
|
||||
apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,- Iznad
|
||||
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} je otkazan ili stopiran
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +713,Offline,Van mreže (offline)
|
||||
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Porezi i naknade dodate (valuta preduzeća)
|
||||
apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +57,Offline,Van mreže (offline)
|
||||
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Bilješka: {0}
|
||||
DocType: Lead,Lost Quotation,Izgubljen Predračun
|
||||
DocType: Account,Account,Račun
|
||||
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Računovodstvo: {0} može samo da se ažurira u dijelu Promjene na zalihama
|
||||
DocType: Employee Leave Approver,Leave Approver,Odobrava izlaske s posla
|
||||
DocType: Authorization Rule,Customer or Item,Kupac ili proizvod
|
||||
apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},Ne postoji artikal sa serijskim brojem {0}
|
||||
apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,Lista
|
||||
DocType: Item,Serial Number Series,Seriski broj serija
|
||||
DocType: POS Profile,Taxes and Charges,Porezi i naknade
|
||||
DocType: Item,Serial Number Series,Serijski broj serije
|
||||
DocType: Purchase Order,Delivered,Isporučeno
|
||||
DocType: Selling Settings,Default Territory,Podrazumijevana država
|
||||
DocType: Asset,Asset Category,Grupe osnovnih sredstava
|
||||
DocType: Sales Invoice Item,Customer Warehouse (Optional),Skladište kupca (opciono)
|
||||
DocType: Delivery Note Item,From Warehouse,Iz skladišta
|
||||
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Prikaži zatvorene
|
||||
DocType: Customer,Additional information regarding the customer.,Dodatne informacije o kupcu
|
||||
apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +450,Warehouse required for stock Item {0},Skladište je potrebno unijeti za artikal {0}
|
||||
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +179,Payment Entry already exists,Uplata već postoji
|
||||
DocType: Project,Customer Details,Korisnički detalji
|
||||
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.","Primjer:. ABCD #####
|
||||
Ако Радња је смештена i serijski broj se ne pominje u transakcijama, onda će automatski serijski broj biti kreiran na osnovu ove serije. Ukoliko uvijek želite da eksplicitno spomenete serijski broj ove šifre, onda je ostavite praznu."
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +719,Online,Na mreži
|
||||
DocType: POS Settings,Online,Na mreži
|
||||
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Kupac i dobavljač
|
||||
DocType: Project,% Completed,Završeno %
|
||||
DocType: Journal Entry Account,Sales Invoice,Faktura prodaje
|
||||
@ -115,7 +127,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Row #{
|
||||
DocType: Sales Order,Track this Sales Order against any Project,Prati ovaj prodajni nalog na bilo kom projektu
|
||||
apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +491,[Error],[Greška]
|
||||
DocType: Supplier,Supplier Details,Detalji o dobavljaču
|
||||
apps/erpnext/erpnext/patches/v8_9/add_setup_progress_actions.py +24,Add Courses,Dodaj kurseve
|
||||
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Forum zajednice
|
||||
,Batch Item Expiry Status,Pregled artikala sa rokom trajanja
|
||||
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +782,Payment,Plaćanje
|
||||
DocType: C-Form Invoice Detail,Territory,Teritorija
|
||||
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Cjenovnik {0} je zaključan
|
||||
@ -133,13 +147,14 @@ DocType: Item,Standard Selling Rate,Standarna prodajna cijena
|
||||
apps/erpnext/erpnext/config/setup.py +122,Human Resources,Ljudski resursi
|
||||
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Korisnički portal
|
||||
DocType: Purchase Order Item Supplied,Stock UOM,JM zalihe
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +1363,Select or add new customer,Izaberite ili dodajte novog kupca
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +1372,Select or add new customer,Izaberite ili dodajte novog kupca
|
||||
,Trial Balance for Party,Struktura dugovanja
|
||||
DocType: Program Enrollment Tool,New Program,Novi program
|
||||
DocType: Product Bundle Item,Product Bundle Item,Sastavljeni proizvodi
|
||||
DocType: Lead,Address & Contact,Adresa i kontakt
|
||||
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,Ovo praćenje je zasnovano na kretanje zaliha. Pogledajte {0} za više detalja
|
||||
apps/erpnext/erpnext/accounts/doctype/account/account.js +58,Chart of Accounts,Kontni plan
|
||||
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Svi kontakti
|
||||
DocType: Item,Default Warehouse,Podrazumijevano skladište
|
||||
DocType: Company,Default Letter Head,Podrazumijevano zaglavlje
|
||||
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Prodajni nalog {0} nije validan
|
||||
@ -158,9 +173,12 @@ apps/erpnext/erpnext/utilities/user_progress.py +101,Meter,Metar
|
||||
apps/erpnext/erpnext/utilities/user_progress.py +100,Pair,Par
|
||||
,Profitability Analysis,Analiza profitabilnosti
|
||||
DocType: Attendance,HR Manager,Menadžer za ljudske resurse
|
||||
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Ukupan porez i naknade(valuta preduzeća)
|
||||
DocType: Quality Inspection,Quality Manager,Menadžer za kvalitet
|
||||
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,Faktura prodaje {0} je već potvrđena
|
||||
DocType: Purchase Invoice,Is Return,Da li je povratak
|
||||
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +646,Supplier Invoice No exists in Purchase Invoice {0},Broj fakture dobavljača već postoji u fakturi nabavke {0}
|
||||
DocType: Asset Movement,Source Warehouse,Izvorno skladište
|
||||
apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Upravljanje projektima
|
||||
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Kalkulacija
|
||||
DocType: Supplier,Name and Type,Ime i tip
|
||||
@ -178,6 +196,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +233,
|
||||
apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Proizvodi i cijene
|
||||
DocType: Payment Entry,Account Paid From,Račun plaćen preko
|
||||
apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Kreirajte bilješke kupca
|
||||
DocType: Purchase Invoice,Supplier Warehouse,Skladište dobavljača
|
||||
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Kupac je obavezan podatak
|
||||
DocType: Item,Customer Item Codes,Šifra kod kupca
|
||||
DocType: Item,Manufacturer,Proizvođač
|
||||
@ -185,15 +204,19 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +73,Selling Am
|
||||
DocType: Item,Allow over delivery or receipt upto this percent,Dozvolite isporukuili prijem robe ukoliko ne premaši ovaj procenat
|
||||
DocType: Shopping Cart Settings,Orders,Porudžbine
|
||||
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Promjene na zalihama
|
||||
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +919,Add items from,Dodaj stavke iz
|
||||
DocType: Sales Invoice,Rounded Total (Company Currency),Zaokruženi ukupan iznos (valuta preduzeća)
|
||||
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Ako ovaj artikal ima varijante, onda ne može biti biran u prodajnom nalogu."
|
||||
DocType: Pricing Rule,Discount on Price List Rate (%),Popust na cijene iz cjenovnika (%)
|
||||
DocType: Item,Item Attribute,Atribut artikla
|
||||
DocType: Payment Request,Amount in customer's currency,Iznos u valuti kupca
|
||||
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Skladište je obavezan podatak
|
||||
DocType: Email Digest,New Sales Orders,Novi prodajni nalozi
|
||||
apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empty,Korpa je prazna
|
||||
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,Unos zaliha {0} nije potvrđen
|
||||
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +366,Rest Of The World,Ostatak svijeta
|
||||
DocType: Production Order,Additional Operating Cost,Dodatni operativni troškovi
|
||||
DocType: Purchase Invoice,Rejected Warehouse,Odbijeno skladište
|
||||
DocType: Request for Quotation,Manufacturing Manager,Menadžer proizvodnje
|
||||
DocType: Shopping Cart Settings,Enable Shopping Cart,Omogući korpu
|
||||
DocType: Purchase Invoice Item,Is Fixed Asset,Artikal je osnovno sredstvo
|
||||
@ -204,9 +227,9 @@ DocType: Payment Entry Reference,Outstanding,Preostalo
|
||||
DocType: Purchase Invoice,Select Shipping Address,Odaberite adresu isporuke
|
||||
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Iznos za fakturisanje
|
||||
apps/erpnext/erpnext/utilities/activation.py +82,Make Sales Orders to help you plan your work and deliver on-time,Kreiranje prodajnog naloga će vam pomoći da isplanirate svoje vrijeme i dostavite robu na vrijeme
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +758,Sync Offline Invoices,Sinhronizuj offline fakture
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +767,Sync Offline Invoices,Sinhronizuj offline fakture
|
||||
DocType: BOM,Manufacturing,Proizvodnja
|
||||
apps/erpnext/erpnext/controllers/website_list_for_contact.py +115,{0}% Delivered,{0}% Isporučeno
|
||||
apps/erpnext/erpnext/controllers/website_list_for_contact.py +117,{0}% Delivered,{0}% Isporučeno
|
||||
DocType: Delivery Note,Customer's Purchase Order No,Broj porudžbenice kupca
|
||||
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,U tabelu iznad unesite prodajni nalog
|
||||
DocType: POS Profile,Item Groups,Vrste artikala
|
||||
@ -219,6 +242,8 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py
|
||||
DocType: Item,Variant Based On,Varijanta zasnovana na
|
||||
DocType: Payment Entry,Transaction ID,Transakcije
|
||||
DocType: Payment Entry Reference,Allocated,Dodijeljeno
|
||||
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Dodaj još stavki ili otvori kompletan prozor
|
||||
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +49,Reserved for sale,Rezervisana za prodaju
|
||||
DocType: POS Item Group,Item Group,Vrste artikala
|
||||
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Starost (Dani)
|
||||
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Početno stanje (Du)
|
||||
@ -230,51 +255,67 @@ DocType: Customer,From Lead,Od Lead-a
|
||||
apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,Baza potencijalnih kupaca
|
||||
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Status Projekta
|
||||
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Sve vrste artikala
|
||||
apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Nem još dodatih kontakata
|
||||
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Serijski broj {0} ne postoji
|
||||
apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Još uvijek nema dodatih kontakata
|
||||
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Opseg dospijeća 3
|
||||
DocType: Request for Quotation,Request for Quotation,Zahtjev za ponudu
|
||||
DocType: Payment Entry,Account Paid To,Račun plaćen u
|
||||
DocType: Stock Entry,Sales Invoice No,Broj fakture prodaje
|
||||
DocType: Sales Invoice Item,Available Qty at Warehouse,Dostupna količina na skladištu
|
||||
DocType: Item,Foreign Trade Details,Spoljnotrgovinski detalji
|
||||
DocType: Item,Minimum Order Qty,Minimalna količina za poručivanje
|
||||
DocType: Budget,Fiscal Year,Fiskalna godina
|
||||
apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +108,Please select a warehouse,Izaberite skladište
|
||||
DocType: Project,Project will be accessible on the website to these users,Projekat će biti dostupan na sajtu sledećim korisnicima
|
||||
DocType: Company,Services,Usluge
|
||||
apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,Korpa sa artiklima
|
||||
DocType: Warehouse,Warehouse Detail,Detalji o skldištu
|
||||
DocType: Quotation Item,Quotation Item,Stavka sa ponude
|
||||
DocType: Purchase Order Item,Warehouse and Reference,Skladište i veza
|
||||
apps/erpnext/erpnext/patches/v8_9/add_setup_progress_actions.py +18,Add Products,Dodaj proizvode
|
||||
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +92,{0} {1}: Account {2} is inactive,{0} {1}: Nalog {2} je neaktivan
|
||||
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +449,Fiscal Year {0} not found,Fiskalna godina {0} nije pronađena
|
||||
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +89,No Remarks,Nema napomene
|
||||
DocType: Notification Control,Purchase Receipt Message,Poruka u Prijemu robe
|
||||
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +22,Setup Already Complete!!,Podešavanje je već urađeno !
|
||||
DocType: Purchase Invoice,Taxes and Charges Deducted,Umanjeni porezi i naknade
|
||||
DocType: Item,Default Unit of Measure,Podrazumijevana jedinica mjere
|
||||
DocType: Purchase Invoice Item,Serial No,Serijski broj
|
||||
DocType: Pricing Rule,Supplier Type,Tip dobavljača
|
||||
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Trenutna kol. {0} / Na čekanju {1}
|
||||
DocType: Bank Reconciliation Detail,Posting Date,Datum dokumenta
|
||||
DocType: Payment Entry,Total Allocated Amount (Company Currency),Ukupan povezani iznos (Valuta)
|
||||
DocType: Account,Income,Prihod
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +1655,Price List not found or disabled,Cjenovnik nije pronađen ili je zaključan
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +745,New Sales Invoice,Nova faktura
|
||||
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Dodaj stavke
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +1664,Price List not found or disabled,Cjenovnik nije pronađen ili je zaključan
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +754,New Sales Invoice,Nova faktura
|
||||
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +16,New Company,Novo preduzeće
|
||||
DocType: Issue,Support Team,Tim za podršku
|
||||
DocType: Project,Project Type,Tip Projekta
|
||||
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Iznos dodatnog popusta (valuta preduzeća)
|
||||
DocType: Opportunity,Maintenance,Održavanje
|
||||
DocType: Item Price,Multiple Item prices.,Više cijena artikala
|
||||
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +360,Received From,je primljen od
|
||||
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +354,Received From,je primljen od
|
||||
DocType: Payment Entry,Write Off Difference Amount,Otpis razlike u iznosu
|
||||
DocType: Payment Entry,Cheque/Reference Date,Datum izvoda
|
||||
DocType: Vehicle,Additional Details,Dodatni detalji
|
||||
DocType: Company,Create Chart Of Accounts Based On,Kreiraj kontni plan prema
|
||||
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Otvori To Do
|
||||
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Razdvoji otpremnicu u pakovanja
|
||||
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +259,Supplier Quotation {0} created,Ponuda dobavljaču {0} је kreirana
|
||||
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},Nije dozvoljeno mijenjati Promjene na zalihama starije od {0}
|
||||
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +380,Add Employees,Dodaj zaposlene
|
||||
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +93,Warehouse not found in the system,Skladište nije pronađeno u sistemu
|
||||
DocType: Sales Invoice,Customer Name,Naziv kupca
|
||||
DocType: Employee,Current Address,Trenutna adresa
|
||||
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Predstojeći događaji u kalendaru
|
||||
DocType: Accounts Settings,Make Payment via Journal Entry,Kreiraj uplatu kroz knjiženje
|
||||
DocType: Payment Request,Paid,Plaćeno
|
||||
DocType: Pricing Rule,Buying,Nabavka
|
||||
DocType: Stock Settings,Default Item Group,Podrazumijevana vrsta artikala
|
||||
apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,Na zalihama
|
||||
DocType: Purchase Invoice,Taxes and Charges Deducted (Company Currency),Umanjeni porezi i naknade (valuta preduzeća)
|
||||
DocType: Stock Entry,Additional Costs,Dodatni troškovi
|
||||
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Kupac sa istim imenom već postoji
|
||||
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +26,POS Profile {0} already created for user: {1} and company {2},POS profil {0} je već kreiran za korisnika: {1} i kompaniju {2}
|
||||
DocType: Item,Default Selling Cost Center,Podrazumijevani centar troškova
|
||||
@ -284,10 +325,12 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sal
|
||||
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Analitička kartica
|
||||
DocType: Stock Entry,Total Outgoing Value,Ukupna vrijednost isporuke
|
||||
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Prodajni nalog {0} је {1}
|
||||
DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Podesi automatski serijski broj da koristi FIFO
|
||||
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Novi kupci
|
||||
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,Prije prodaje
|
||||
DocType: POS Customer Group,POS Customer Group,POS grupa kupaca
|
||||
DocType: Quotation,Shopping Cart,Korpa sa sajta
|
||||
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for manufacturing,Rezervisana za proizvodnju
|
||||
DocType: Pricing Rule,Pricing Rule Help,Pravilnik za cijene pomoć
|
||||
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Opseg dospijeća 2
|
||||
DocType: POS Item Group,POS Item Group,POS Vrsta artikala
|
||||
@ -296,9 +339,10 @@ apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Pogledajte
|
||||
DocType: Supplier,Address and Contacts,Adresa i kontakti
|
||||
apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,Ovo je zasnovano na transkcijama ovog preduzeća. Pogledajte vremensku liniju ispod za dodatne informacije
|
||||
DocType: Student Attendance Tool,Batch,Serija
|
||||
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +811,Purchase Receipt,Prijem robe
|
||||
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +817,Purchase Receipt,Prijem robe
|
||||
DocType: Item,Warranty Period (in days),Garantni rok (u danima)
|
||||
apps/erpnext/erpnext/config/selling.py +28,Customer database.,Korisnička baza podataka
|
||||
,Stock Projected Qty,Projektovana količina na zalihama
|
||||
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,Željenu količinu {0} za artikal {1} je potrebno dodati na {2} da bi dovršili transakciju..
|
||||
DocType: GL Entry,Remarks,Napomena
|
||||
DocType: Tax Rule,Sales,Prodaja
|
||||
@ -307,13 +351,14 @@ DocType: Products Settings,Products Settings,Podešavanje proizvoda
|
||||
,Sales Invoice Trends,Trendovi faktura prodaje
|
||||
DocType: Expense Claim,Task,Zadatak
|
||||
apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Dodaj / Izmijeni cijene
|
||||
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Order already created for all items with BOM,Proizvodna porudžbina je već kreirana za sve artikle sa BOM
|
||||
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +901,Production Order already created for all items with BOM,Proizvodna porudžbina je već kreirana za sve artikle sa BOM
|
||||
,Item Prices,Cijene artikala
|
||||
DocType: Sales Order,Customer's Purchase Order Date,Datum porudžbenice kupca
|
||||
DocType: Item,Country of Origin,Zemlja porijekla
|
||||
DocType: Quotation,Order Type,Vrsta porudžbine
|
||||
DocType: Pricing Rule,For Price List,Za cjenovnik
|
||||
DocType: Sales Invoice,Tax ID,Poreski broj
|
||||
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,Wip skladište
|
||||
,Itemwise Recommended Reorder Level,Pregled otpremljenih artikala
|
||||
apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +573,Sales Order {0} is not submitted,Prodajni nalog {0} nije potvrđen
|
||||
DocType: Item,Default Material Request Type,Podrazumijevani zahtjev za tip materijala
|
||||
@ -332,7 +377,7 @@ DocType: Vehicle,Fleet Manager,Menadžer transporta
|
||||
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,Nivoi zalihe
|
||||
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),Saldo (Po)
|
||||
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +566,Product Bundle,Sastavnica
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +750,Sync Master Data,Sinhronizuj podatke iz centrale
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +759,Sync Master Data,Sinhronizuj podatke iz centrale
|
||||
DocType: Landed Cost Voucher,Purchase Receipts,Prijemi robe
|
||||
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Prilagođavanje formi
|
||||
DocType: Purchase Invoice,Overdue,Istekao
|
||||
@ -346,6 +391,7 @@ DocType: Purchase Order,Customer Contact,Kontakt kupca
|
||||
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Artikal {0} ne postoji
|
||||
apps/erpnext/erpnext/utilities/user_progress.py +201,Add Users,Dodaj korisnike
|
||||
,Completed Production Orders,Završena proizvodna porudžbina
|
||||
apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +78,Select Serial Numbers,Izaberite serijske brojeve
|
||||
DocType: Bank Reconciliation Detail,Payment Entry,Uplate
|
||||
DocType: Purchase Invoice,In Words,Riječima
|
||||
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Serijski broj {0} ne pripada otpremnici {1}
|
||||
@ -353,12 +399,15 @@ DocType: Issue,Support,Podrška
|
||||
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,Podrazumijevana podešavanja za dio Promjene na zalihama
|
||||
DocType: Production Planning Tool,Get Sales Orders,Pregledaj prodajne naloge
|
||||
DocType: Stock Ledger Entry,Stock Ledger Entry,Unos zalihe robe
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +1542,Address Name,Naziv adrese
|
||||
DocType: Item Group,Item Group Name,Naziv vrste artikala
|
||||
apps/erpnext/erpnext/selling/doctype/customer/customer.py +118,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Isto ime grupe kupca već postoji. Promijenite ime kupca ili izmijenite grupu kupca
|
||||
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Upozorenje: Još jedan {0} # {1} postoji u vezanom Unosu zaliha {2}
|
||||
DocType: Item,Has Serial No,Ima serijski broj
|
||||
DocType: Payment Entry,Difference Amount (Company Currency),Razlika u iznosu (Valuta)
|
||||
apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Dodaj serijski broj
|
||||
apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Preduzeće i računi
|
||||
DocType: Employee,Current Address Is,Trenutna adresa je
|
||||
DocType: Payment Entry,Unallocated Amount,Nepovezani iznos
|
||||
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Prikaži vrijednosti sa nulom
|
||||
DocType: Purchase Invoice,Address and Contact,Adresa i kontakt
|
||||
@ -371,14 +420,19 @@ DocType: Item,Customer Items,Proizvodi kupca
|
||||
DocType: Stock Reconciliation,SR/,SR /
|
||||
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Prodajni nalog je obavezan za artikal {0}
|
||||
DocType: GL Entry,Voucher No,Br. dokumenta
|
||||
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +314,Serial No {0} created,Serijski broj {0} kreiran
|
||||
DocType: Account,Asset,Osnovna sredstva
|
||||
DocType: Payment Entry,Received Amount,Iznos uplate
|
||||
,Sales Funnel,Prodajni lijevak
|
||||
DocType: Sales Invoice,Payment Due Date,Datum dospijeća fakture
|
||||
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt_dashboard.py +17,Related,Povezan
|
||||
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt_dashboard.py +18,Related,Povezan
|
||||
DocType: Warehouse,Warehouse Name,Naziv skladišta
|
||||
DocType: Authorization Rule,Customer / Item Name,Kupac / Naziv proizvoda
|
||||
DocType: Student,Home Address,Kućna adresa
|
||||
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +916,Supplier Quotation,Ponuda dobavljača
|
||||
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +921,Supplier Quotation,Ponuda dobavljača
|
||||
DocType: Material Request Item,Quantity and Warehouse,Količina i skladište
|
||||
DocType: Purchase Invoice,Taxes and Charges Added,Porezi i naknade dodate
|
||||
DocType: Production Order,Warehouses,Skladišta
|
||||
DocType: SMS Center,All Customer Contact,Svi kontakti kupca
|
||||
DocType: Quotation,Quotation Lost Reason,Razlog gubitka ponude
|
||||
DocType: Account,Stock,Zalihe
|
||||
@ -392,23 +446,25 @@ DocType: Sales Invoice,Accounting Details,Računovodstveni detalji
|
||||
DocType: Asset Movement,Stock Manager,Menadžer zaliha
|
||||
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,Na datum
|
||||
DocType: Naming Series,Setup Series,Podešavanje tipa dokumenta
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +659,Point of Sale,Kasa
|
||||
,Point of Sale,Kasa
|
||||
,Open Production Orders,Otvorene proizvodne porudžbine
|
||||
DocType: Landed Cost Item,Purchase Receipt Item,Stavka Prijema robe
|
||||
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Uslovi i odredbe šablon
|
||||
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Unos zaliha {0} je kreiran
|
||||
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,Pogledajte u korpi
|
||||
apps/erpnext/erpnext/stock/get_item_details.py +293,Item Price updated for {0} in Price List {1},Cijena artikla je izmijenjena {0} u cjenovniku {1}
|
||||
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Popust
|
||||
apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +384,Discount,Popust
|
||||
DocType: Packing Slip,Net Weight UOM,Neto težina JM
|
||||
DocType: Selling Settings,Sales Order Required,Prodajni nalog je obavezan
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +1074,Search Item,Pretraži artikal
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +1083,Search Item,Pretraži artikal
|
||||
,Delivered Items To Be Billed,Nefakturisana isporučena roba
|
||||
DocType: Account,Debit,Duguje
|
||||
DocType: Purchase Invoice,In Words (Company Currency),Riječima (valuta kompanije)
|
||||
,Purchase Receipt Trends,Trendovi prijema robe
|
||||
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,Fiskalna godina {0} ne postoji
|
||||
DocType: Purchase Invoice Item,Accepted Warehouse,Prihvaćeno skladište
|
||||
DocType: Journal Entry Account,Account Balance,Knjigovodstveno stanje
|
||||
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,U skladište
|
||||
DocType: Purchase Invoice,Contact Person,Kontakt osoba
|
||||
DocType: Item,Item Code for Suppliers,Dobavljačeva šifra
|
||||
DocType: Request for Quotation Supplier,Request for Quotation Supplier,Zahtjev za ponudu dobavljača
|
||||
@ -420,22 +476,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Novi zadatak
|
||||
DocType: Journal Entry,Accounts Payable,Obaveze prema dobavljačima
|
||||
DocType: Purchase Invoice,Shipping Address,Adresa isporuke
|
||||
DocType: Payment Reconciliation Invoice,Outstanding Amount,Preostalo za uplatu
|
||||
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +159,Warehouse required at Row No {0},Skladište je potrebno unijeti na poziciji {0}
|
||||
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Naziv novog skladišta
|
||||
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +364,Transaction reference no {0} dated {1},Broj izvoda {0} na datum {1}
|
||||
apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +749,Make Sales Order,Kreiraj prodajni nalog
|
||||
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +358,Transaction reference no {0} dated {1},Broj izvoda {0} na datum {1}
|
||||
apps/erpnext/erpnext/utilities/activation.py +83,Make Sales Order,Kreiraj prodajni nalog
|
||||
DocType: Payment Entry,Allocate Payment Amount,Poveži uplaćeni iznos
|
||||
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +86,Printed On,Datum i vrijeme štampe
|
||||
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Minimum jedno skladište je obavezno
|
||||
DocType: Price List,Price List Name,Naziv cjenovnika
|
||||
DocType: Item,Purchase Details,Detalji kupovine
|
||||
DocType: Asset,Journal Entry for Scrap,Knjiženje rastura i loma
|
||||
DocType: Item,Website Warehouse,Skladište web sajta
|
||||
DocType: Sales Invoice Item,Customer's Item Code,Šifra kupca
|
||||
DocType: Asset,Supplier,Dobavljači
|
||||
DocType: Purchase Invoice,Additional Discount Amount,Iznos dodatnog popusta
|
||||
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Datum početka projekta
|
||||
DocType: Announcement,Student,Student
|
||||
apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +455,Stock cannot be updated against Delivery Note {0},Zaliha se ne može promijeniti jer je vezana sa otpremnicom {0}
|
||||
apps/erpnext/erpnext/utilities/user_progress.py +101,Hour,Sat
|
||||
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree,Stablo vrste artikala
|
||||
DocType: POS Profile,Update Stock,Ažuriraj zalihu
|
||||
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Ciljno skladište
|
||||
,Delivery Note Trends,Trendovi Otpremnica
|
||||
apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Sva skladišta
|
||||
DocType: Stock Reconciliation,Difference Amount,Razlika u iznosu
|
||||
DocType: Journal Entry,User Remark,Korisnička napomena
|
||||
DocType: Notification Control,Quotation Message,Ponuda - poruka
|
||||
@ -446,6 +509,7 @@ DocType: Item,End of Life,Kraj proizvodnje
|
||||
DocType: Payment Entry,Payment Type,Vrsta plaćanja
|
||||
DocType: Selling Settings,Default Customer Group,Podrazumijevana grupa kupaca
|
||||
DocType: GL Entry,Party,Partija
|
||||
,Total Stock Summary,Ukupan pregled zalihe
|
||||
apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Otpisati
|
||||
DocType: Notification Control,Delivery Note Message,Poruka na otpremnici
|
||||
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","Ne može se obrisati serijski broj {0}, dok god se nalazi u dijelu Promjene na zalihama"
|
||||
@ -457,18 +521,21 @@ DocType: Journal Entry,Accounts Receivable,Potraživanja od kupaca
|
||||
DocType: Purchase Invoice Item,Rate,Cijena
|
||||
DocType: Account,Expense,Rashod
|
||||
apps/erpnext/erpnext/config/learn.py +107,Newsletters,Newsletter-i
|
||||
DocType: Purchase Invoice,Select Supplier Address,Izaberite adresu dobavljača
|
||||
apps/erpnext/erpnext/stock/get_item_details.py +308,Price List {0} is disabled or does not exist,Cjenovnik {0} je zaključan ili ne postoji
|
||||
DocType: Delivery Note,Billing Address Name,Naziv adrese za naplatu
|
||||
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Dodaj stavku
|
||||
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +134,All Customer Groups,Sve grupe kupca
|
||||
DocType: Purchase Invoice Item,Stock Qty,Zaliha
|
||||
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +37,Ageing Range 1,Opseg dospijeća 1
|
||||
apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,Artikli na zalihama
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +2121,New Cart,Nova korpa
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +2130,New Cart,Nova korpa
|
||||
apps/erpnext/erpnext/config/selling.py +179,Analytics,Analitika
|
||||
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},Novi {0}: # {1}
|
||||
apps/erpnext/erpnext/subscription/doctype/subscription/subscription.py +175,New {0}: #{1},Novi {0}: # {1}
|
||||
DocType: Supplier,Fixed Days,Fiksni dani
|
||||
DocType: Purchase Receipt Item,Rate and Amount,Cijena i vrijednost
|
||||
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +65,'Total','Ukupno bez PDV-a'
|
||||
DocType: Purchase Invoice,Total Taxes and Charges,Ukupan porez i naknade
|
||||
DocType: Purchase Order Item,Supplier Part Number,Dobavljačeva šifra
|
||||
DocType: Project Task,Project Task,Projektni zadatak
|
||||
DocType: Item Group,Parent Item Group,Nadređena Vrsta artikala
|
||||
@ -478,17 +545,21 @@ DocType: Opportunity,Customer / Lead Address,Kupac / Adresa lead-a
|
||||
DocType: Buying Settings,Default Buying Price List,Podrazumijevani Cjenovnik
|
||||
DocType: Purchase Invoice Item,Qty,Kol
|
||||
DocType: Mode of Payment,General,Opšte
|
||||
DocType: Journal Entry,Write Off Amount,Otpisati iznos
|
||||
apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js +1187,Write Off Amount,Otpisati iznos
|
||||
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Preostalo za plaćanje
|
||||
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,Nije plaćeno i nije isporučeno
|
||||
DocType: Bank Reconciliation,Total Amount,Ukupan iznos
|
||||
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +157,Please select Price List,Izaberite cjenovnik
|
||||
DocType: Quality Inspection,Item Serial No,Seriski broj artikla
|
||||
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Customer Service,Usluga kupca
|
||||
DocType: Cost Center,Stock User,Korisnik zaliha
|
||||
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,Glavna knjiga
|
||||
apps/erpnext/erpnext/config/projects.py +13,Project master.,Projektni master
|
||||
,Purchase Order Trends,Trendovi kupovina
|
||||
DocType: Quotation,In Words will be visible once you save the Quotation.,Sačuvajte Predračun da bi Ispis slovima bio vidljiv
|
||||
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,Projektovana količina
|
||||
apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Kontakt i adresa kupca
|
||||
DocType: Material Request Item,For Warehouse,Za skladište
|
||||
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Nabavni cjenovnik
|
||||
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Pregled obaveze prema dobavljačima
|
||||
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Otpremnice {0} moraju biti otkazane prije otkazivanja prodajnog naloga
|
||||
@ -497,10 +568,14 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Buying Amo
|
||||
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,ID Projekta
|
||||
DocType: Journal Entry Account,Purchase Order,Porudžbenica
|
||||
DocType: GL Entry,Voucher Type,Vrsta dokumenta
|
||||
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Serijski broj {0} je već primljen
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +476,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Ukupan avns({0}) na porudžbini {1} ne može biti veći od Ukupnog iznosa ({2})
|
||||
apps/erpnext/erpnext/stock/get_item_details.py +310,Price List not selected,Cjenovnik nije odabran
|
||||
DocType: Item,Total Projected Qty,Ukupna projektovana količina
|
||||
DocType: Shipping Rule Condition,Shipping Rule Condition,Uslovi pravila nabavke
|
||||
,Customer Credit Balance,Kreditni limit kupca
|
||||
DocType: Purchase Invoice,Return,Povraćaj
|
||||
DocType: Sales Order Item,Delivery Warehouse,Skladište dostave
|
||||
DocType: Purchase Invoice,Total (Company Currency),Ukupno bez PDV-a (Valuta)
|
||||
DocType: Supplier Quotation,Opportunity,Prilika
|
||||
DocType: Sales Order,Fully Delivered,Kompletno isporučeno
|
||||
@ -514,14 +589,18 @@ DocType: Production Planning Tool,Create Production Orders,Kreiraj porudžbinu z
|
||||
DocType: Purchase Invoice,Returns,Povraćaj
|
||||
DocType: Delivery Note,Delivery To,Isporuka za
|
||||
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Vrijednost Projekta
|
||||
DocType: Warehouse,Parent Warehouse,Nadređeno skladište
|
||||
DocType: Payment Request,Make Sales Invoice,Kreiraj fakturu prodaje
|
||||
apps/erpnext/erpnext/public/js/pos/pos.html +80,Del,Obriši
|
||||
apps/erpnext/erpnext/public/js/stock_analytics.js +61,Select Warehouse...,Izaberite skladište...
|
||||
DocType: Payment Reconciliation,Invoice/Journal Entry Details,Faktura / Detalji knjiženja
|
||||
,Projected Quantity as Source,Projektovana izvorna količina
|
||||
DocType: BOM,Manufacturing User,Korisnik u proizvodnji
|
||||
apps/erpnext/erpnext/utilities/activation.py +99,Create Users,Kreiraj korisnike
|
||||
DocType: Pricing Rule,Price,Cijena
|
||||
DocType: Supplier Scorecard Scoring Standing,Employee,Zaposleni
|
||||
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Projektna aktivnost / zadatak
|
||||
DocType: Production Plan Item,Reserved Warehouse in Sales Order / Finished Goods Warehouse,Rezervisano skladište u Prodajnom nalogu / Skladište gotovog proizvoda
|
||||
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,Količina
|
||||
DocType: Buying Settings,Purchase Receipt Required,Prijem robe je obavezan
|
||||
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Valuta je obavezna za Cjenovnik {0}
|
||||
@ -529,10 +608,12 @@ DocType: POS Customer Group,Customer Group,Grupa kupaca
|
||||
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Skladište se jedino može promijeniti u dijelu Unos zaliha / Otpremnica / Prijem robe
|
||||
apps/erpnext/erpnext/hooks.py +123,Request for Quotations,Zahtjev za ponude
|
||||
apps/erpnext/erpnext/config/desktop.py +158,Learn,Naučite
|
||||
DocType: Purchase Invoice,Additional Discount,Dodatni popust
|
||||
DocType: Payment Entry,Cheque/Reference No,Broj izvoda
|
||||
DocType: C-Form,Series,Vrsta dokumenta
|
||||
apps/erpnext/erpnext/utilities/user_progress.py +100,Box,Kutija
|
||||
DocType: Payment Entry,Total Allocated Amount,Ukupno povezani iznos
|
||||
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Sve adrese
|
||||
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Korisnici i dozvole
|
||||
apps/erpnext/erpnext/utilities/user_progress.py +38,Add Customers,Dodaj kupce
|
||||
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,Otpremite robu prvo
|
||||
@ -540,9 +621,10 @@ DocType: Lead,From Customer,Od kupca
|
||||
DocType: Item,Maintain Stock,Vođenje zalihe
|
||||
DocType: Sales Invoice Item,Sales Order Item,Pozicija prodajnog naloga
|
||||
apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Godišnji promet: {0}
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +1691,Not items found,Ništa nije pronađeno
|
||||
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Rezervisana kol.
|
||||
apps/erpnext/erpnext/accounts/page/pos/pos.js +1700,Not items found,Ništa nije pronađeno
|
||||
DocType: Item,Copy From Item Group,Kopiraj iz vrste artikala
|
||||
apps/erpnext/erpnext/public/js/utils.js +245,Please select Quotations,Molimo odaberite Predračune
|
||||
apps/erpnext/erpnext/public/js/utils.js +259,Please select Quotations,Molimo odaberite Predračune
|
||||
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} se ne nalazi u aktivnim poslovnim godinama.
|
||||
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +484,Quick Journal Entry,Brzo knjiženje
|
||||
DocType: Sales Order,Partly Delivered,Djelimično isporučeno
|
||||
@ -557,7 +639,7 @@ DocType: Request for Quotation Supplier,Download PDF,Preuzmi PDF
|
||||
apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +764,Quotation,Ponuda
|
||||
DocType: Item,Has Variants,Ima varijante
|
||||
DocType: Price List Country,Price List Country,Zemlja cjenovnika
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Datum dospijeća je obavezan
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +110,Due Date is mandatory,Datum dospijeća je obavezan
|
||||
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Korpa
|
||||
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Promjene na zalihama prije {0} su zamrznute
|
||||
apps/erpnext/erpnext/selling/doctype/customer/customer.py +164,Credit limit has been crossed for customer {0} {1}/{2},Kupac {0} je prekoračio kreditni limit {1} / {2}
|
||||
@ -565,12 +647,14 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing
|
||||
DocType: Sales Invoice,Product Bundle Help,Sastavnica Pomoć
|
||||
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),Ukupno bez PDV-a {0} ({1})
|
||||
DocType: Sales Partner,Address & Contacts,Adresa i kontakti
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,ili
|
||||
apps/erpnext/erpnext/controllers/accounts_controller.py +280, or ,ili
|
||||
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Zahtjev za ponudu
|
||||
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standardna prodaja
|
||||
DocType: Expense Claim,Expense Approver,Odobravatalj troškova
|
||||
DocType: Purchase Invoice,Supplier Invoice Details,Detalji sa fakture dobavljača
|
||||
DocType: Purchase Order,To Bill,Za fakturisanje
|
||||
DocType: Company,Chart Of Accounts Template,Templejt za kontni plan
|
||||
DocType: Purchase Invoice,Supplier Invoice No,Broj fakture dobavljača
|
||||
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Vezni dokument
|
||||
DocType: Account,Accounts,Računi
|
||||
apps/erpnext/erpnext/controllers/buying_controller.py +393,{0} {1} is cancelled or closed,{0} {1} je otkazan ili zatvoren
|
||||
@ -582,12 +666,13 @@ DocType: Purchase Invoice,Is Paid,Je plaćeno
|
||||
,Ordered Items To Be Billed,Nefakturisani prodajni nalozi
|
||||
apps/erpnext/erpnext/config/selling.py +216,Other Reports,Ostali izvještaji
|
||||
apps/erpnext/erpnext/config/buying.py +7,Purchasing,Kupovina
|
||||
apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861,Delivery Note,Otpremnice
|
||||
apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +865,Delivery Note,Otpremnice
|
||||
DocType: Sales Order,In Words will be visible once you save the Sales Order.,U riječima će biti vidljivo tek kada sačuvate prodajni nalog.
|
||||
DocType: Journal Entry Account,Sales Order,Prodajni nalog
|
||||
DocType: Stock Entry,Customer or Supplier Details,Detalji kupca ili dobavljača
|
||||
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,Prodaja
|
||||
DocType: Email Digest,Pending Quotations,Predračuni na čekanju
|
||||
DocType: Purchase Invoice,Additional Discount Percentage,Dodatni procenat popusta
|
||||
DocType: Appraisal,HR User,Korisnik za ljudske resure
|
||||
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Izvještaji zaliha robe
|
||||
,Stock Ledger,Zalihe robe
|
||||
@ -595,3 +680,5 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoi
|
||||
DocType: Email Digest,New Quotations,Nove ponude
|
||||
apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,Prvo sačuvajte dokument
|
||||
DocType: Item,Units of Measure,Jedinica mjere
|
||||
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +51,Actual qty in stock,Trenutna količina na zalihama
|
||||
DocType: Quotation Item,Actual Qty,Trenutna kol.
|
||||
|
|
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
4761
erpnext/translations/sw.csv
Normal file
4761
erpnext/translations/sw.csv
Normal file
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
4744
erpnext/translations/uz.csv
Normal file
4744
erpnext/translations/uz.csv
Normal file
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
Some files were not shown because too many files have changed in this diff Show More
Loading…
Reference in New Issue
Block a user