Merge branch 'payment-terms' of https://github.com/tundebabzy/erpnext into payment-terms

This commit is contained in:
tunde 2017-09-05 17:37:35 +01:00
commit e0cec4ef05
76 changed files with 12812 additions and 11218 deletions

View File

@ -5,7 +5,10 @@ frappe.provide("erpnext.bom");
frappe.ui.form.on("BOM", {
setup: function(frm) {
frm.add_fetch('buying_price_list', 'currency', 'currency');
frm.add_fetch("item", "description", "description");
frm.add_fetch("item", "image", "image");
frm.add_fetch("item", "item_name", "item_name");
frm.add_fetch("item", "stock_uom", "uom");
frm.set_query("bom_no", "items", function() {
return {
@ -23,6 +26,38 @@ frappe.ui.form.on("BOM", {
}
};
});
frm.set_query("item", function() {
return {
query: "erpnext.controllers.queries.item_query"
};
});
frm.set_query("project", function() {
return{
filters:[
['Project', 'status', 'not in', 'Completed, Cancelled']
]
};
});
frm.set_query("item_code", "items", function() {
return {
query: "erpnext.controllers.queries.item_query",
filters: [["Item", "name", "!=", cur_frm.doc.item]]
};
});
frm.set_query("bom_no", "items", function(doc, cdt, cdn) {
var d = locals[cdt][cdn];
return {
filters: {
'item': d.item_code,
'is_active': 1,
'docstatus': 1
}
};
});
},
onload_post_render: function(frm) {
@ -69,14 +104,14 @@ frappe.ui.form.on("BOM", {
});
erpnext.bom.BomController = erpnext.TransactionController.extend({
conversion_rate: function(doc, cdt, cdn) {
conversion_rate: function(doc) {
if(this.frm.doc.currency === this.get_company_currency()) {
this.frm.set_value("conversion_rate", 1.0);
} else {
erpnext.bom.update_cost(doc);
}
},
item_code: function(doc, cdt, cdn){
var scrap_items = false;
var child = locals[cdt][cdn];
@ -90,39 +125,34 @@ erpnext.bom.BomController = erpnext.TransactionController.extend({
get_bom_material_detail(doc, cdt, cdn, scrap_items);
},
conversion_factor: function(doc, cdt, cdn, dont_fetch_price_list_rate) {
conversion_factor: function(doc, cdt, cdn) {
if(frappe.meta.get_docfield(cdt, "stock_qty", cdn)) {
var item = frappe.get_doc(cdt, cdn);
frappe.model.round_floats_in(item, ["qty", "conversion_factor"]);
item.stock_qty = flt(item.qty * item.conversion_factor, precision("stock_qty", item));
refresh_field("stock_qty", item.name, item.parentfield);
this.toggle_conversion_factor(item);
this.frm.events.update_cost(this.frm);
}
},
})
});
$.extend(cur_frm.cscript, new erpnext.bom.BomController({frm: cur_frm}));
cur_frm.add_fetch("item", "description", "description");
cur_frm.add_fetch("item", "image", "image");
cur_frm.add_fetch("item", "item_name", "item_name");
cur_frm.add_fetch("item", "stock_uom", "uom");
cur_frm.cscript.hour_rate = function(doc, dt, dn) {
cur_frm.cscript.hour_rate = function(doc) {
erpnext.bom.calculate_op_cost(doc);
erpnext.bom.calculate_total(doc);
}
};
cur_frm.cscript.time_in_mins = cur_frm.cscript.hour_rate;
cur_frm.cscript.bom_no = function(doc, cdt, cdn) {
get_bom_material_detail(doc, cdt, cdn, false);
}
};
cur_frm.cscript.is_default = function(doc) {
if (doc.is_default) cur_frm.set_value("is_active", 1);
}
};
var get_bom_material_detail= function(doc, cdt, cdn, scrap_items) {
var d = locals[cdt][cdn];
@ -141,6 +171,7 @@ var get_bom_material_detail= function(doc, cdt, cdn, scrap_items) {
$.extend(d, r.message);
refresh_field("items");
refresh_field("scrap_items");
doc = locals[doc.doctype][doc.name];
erpnext.bom.calculate_rm_cost(doc);
erpnext.bom.calculate_scrap_materials_cost(doc);
@ -149,13 +180,13 @@ var get_bom_material_detail= function(doc, cdt, cdn, scrap_items) {
freeze: true
});
}
}
};
cur_frm.cscript.qty = function(doc, cdt, cdn) {
cur_frm.cscript.qty = function(doc) {
erpnext.bom.calculate_rm_cost(doc);
erpnext.bom.calculate_scrap_materials_cost(doc);
erpnext.bom.calculate_total(doc);
}
};
cur_frm.cscript.rate = function(doc, cdt, cdn) {
var d = locals[cdt][cdn];
@ -173,14 +204,14 @@ cur_frm.cscript.rate = function(doc, cdt, cdn) {
erpnext.bom.calculate_scrap_materials_cost(doc);
erpnext.bom.calculate_total(doc);
}
}
};
erpnext.bom.update_cost = function(doc) {
erpnext.bom.calculate_op_cost(doc);
erpnext.bom.calculate_rm_cost(doc);
erpnext.bom.calculate_scrap_materials_cost(doc);
erpnext.bom.calculate_total(doc);
}
};
erpnext.bom.calculate_op_cost = function(doc) {
var op = doc.operations || [];
@ -189,7 +220,7 @@ erpnext.bom.calculate_op_cost = function(doc) {
for(var i=0;i<op.length;i++) {
var operating_cost = flt(flt(op[i].hour_rate) * flt(op[i].time_in_mins) / 60, 2);
var base_operating_cost = flt(flt(op[i].base_hour_rate) * flt(op[i].time_in_mins) / 60, 2);
var base_operating_cost = flt(operating_cost * doc.conversion_rate, 2);
frappe.model.set_value('BOM Operation',op[i].name, "operating_cost", operating_cost);
frappe.model.set_value('BOM Operation',op[i].name, "base_operating_cost", base_operating_cost);
@ -197,7 +228,7 @@ erpnext.bom.calculate_op_cost = function(doc) {
doc.base_operating_cost += base_operating_cost;
}
refresh_field(['operating_cost', 'base_operating_cost']);
}
};
// rm : raw material
erpnext.bom.calculate_rm_cost = function(doc) {
@ -206,19 +237,23 @@ erpnext.bom.calculate_rm_cost = function(doc) {
var base_total_rm_cost = 0;
for(var i=0;i<rm.length;i++) {
var amount = flt(rm[i].rate) * flt(rm[i].qty);
var base_amount = flt(rm[i].rate) * flt(doc.conversion_rate) * flt(rm[i].qty);
frappe.model.set_value('BOM Item', rm[i].name, 'base_rate', flt(rm[i].rate) * flt(doc.conversion_rate))
frappe.model.set_value('BOM Item', rm[i].name, 'amount', amount)
frappe.model.set_value('BOM Item', rm[i].name, 'qty_consumed_per_unit', flt(rm[i].qty)/flt(doc.quantity))
frappe.model.set_value('BOM Item', rm[i].name, 'base_amount', base_amount)
var base_amount = amount * flt(doc.conversion_rate);
frappe.model.set_value('BOM Item', rm[i].name, 'base_rate',
flt(rm[i].rate) * flt(doc.conversion_rate));
frappe.model.set_value('BOM Item', rm[i].name, 'amount', amount);
frappe.model.set_value('BOM Item', rm[i].name, 'base_amount', base_amount);
frappe.model.set_value('BOM Item', rm[i].name,
'qty_consumed_per_unit', flt(rm[i].stock_qty)/flt(doc.quantity));
total_rm_cost += amount;
base_total_rm_cost += base_amount;
}
cur_frm.set_value("raw_material_cost", total_rm_cost);
cur_frm.set_value("base_raw_material_cost", base_total_rm_cost);
}
};
//sm : scrap material
// sm : scrap material
erpnext.bom.calculate_scrap_materials_cost = function(doc) {
var sm = doc.scrap_items || [];
var total_sm_cost = 0;
@ -226,64 +261,34 @@ erpnext.bom.calculate_scrap_materials_cost = function(doc) {
for(var i=0;i<sm.length;i++) {
var base_rate = flt(sm[i].rate) * flt(doc.conversion_rate);
var amount = flt(sm[i].rate) * flt(sm[i].qty);
var base_amount = flt(sm[i].rate) * flt(sm[i].qty) * flt(doc.conversion_rate);
var amount = flt(sm[i].rate) * flt(sm[i].stock_qty);
var base_amount = amount * flt(doc.conversion_rate);
frappe.model.set_value('BOM Scrap Item',sm[i].name, 'base_rate', base_rate);
frappe.model.set_value('BOM Scrap Item',sm[i].name, 'amount', amount);
frappe.model.set_value('BOM Scrap Item',sm[i].name, 'base_amount', base_amount);
total_sm_cost += amount;
base_total_sm_cost += base_amount;
}
cur_frm.set_value("scrap_material_cost", total_sm_cost);
cur_frm.set_value("base_scrap_material_cost", base_total_sm_cost);
}
};
// Calculate Total Cost
erpnext.bom.calculate_total = function(doc) {
var total_cost = flt(doc.operating_cost) + flt(doc.raw_material_cost) - flt(doc.scrap_material_cost);
var base_total_cost = flt(doc.base_operating_cost) + flt(doc.base_raw_material_cost) - flt(doc.base_scrap_material_cost);
var base_total_cost = flt(doc.base_operating_cost) + flt(doc.base_raw_material_cost)
- flt(doc.base_scrap_material_cost);
cur_frm.set_value("total_cost", total_cost);
cur_frm.set_value("base_total_cost", base_total_cost);
}
};
cur_frm.fields_dict['item'].get_query = function(doc) {
return{
query: "erpnext.controllers.queries.item_query"
}
}
cur_frm.fields_dict['project'].get_query = function(doc, dt, dn) {
return{
filters:[
['Project', 'status', 'not in', 'Completed, Cancelled']
]
}
}
cur_frm.fields_dict['items'].grid.get_field('item_code').get_query = function(doc) {
return{
query: "erpnext.controllers.queries.item_query",
filters: [["Item", "name", "!=", cur_frm.doc.item]]
}
}
cur_frm.fields_dict['items'].grid.get_field('bom_no').get_query = function(doc, cdt, cdn) {
var d = locals[cdt][cdn];
return{
filters:{
'item': d.item_code,
'is_active': 1,
'docstatus': 1
}
}
}
cur_frm.cscript.validate = function(doc, dt, dn) {
erpnext.bom.update_cost(doc)
}
cur_frm.cscript.validate = function(doc) {
erpnext.bom.update_cost(doc);
};
frappe.ui.form.on("BOM Operation", "operation", function(frm, cdt, cdn) {
var d = locals[cdt][cdn];
@ -304,7 +309,7 @@ frappe.ui.form.on("BOM Operation", "operation", function(frm, cdt, cdn) {
frappe.model.set_value(d.doctype, d.name, "workstation", data.message.workstation);
}
}
})
});
});
frappe.ui.form.on("BOM Operation", "workstation", function(frm, cdt, cdn) {
@ -317,21 +322,22 @@ frappe.ui.form.on("BOM Operation", "workstation", function(frm, cdt, cdn) {
name: d.workstation
},
callback: function (data) {
frappe.model.set_value(d.doctype, d.name, "hour_rate", data.message.hour_rate);
frappe.model.set_value(d.doctype, d.name, "base_hour_rate", flt(data.message.hour_rate) * flt(frm.doc.conversion_rate));
frappe.model.set_value(d.doctype, d.name, "base_hour_rate", data.message.hour_rate);
frappe.model.set_value(d.doctype, d.name, "hour_rate",
flt(flt(data.message.hour_rate) / flt(frm.doc.conversion_rate)), 2);
erpnext.bom.calculate_op_cost(frm.doc);
erpnext.bom.calculate_total(frm.doc);
}
})
});
});
frappe.ui.form.on("BOM Item", "qty", function(frm, cdt, cdn) {
var d = locals[cdt][cdn];
d.stock_qty = d.qty * d.conversion_factor;
refresh_field("items");
refresh_field("stock_qty", d.name, d.parentfield);
});
frappe.ui.form.on("BOM Operation", "operations_remove", function(frm) {
erpnext.bom.calculate_op_cost(frm.doc);
erpnext.bom.calculate_total(frm.doc);
@ -344,7 +350,7 @@ frappe.ui.form.on("BOM Item", "items_remove", function(frm) {
var toggle_operations = function(frm) {
frm.toggle_display("operations_section", cint(frm.doc.with_operations) == 1);
}
};
frappe.ui.form.on("BOM", "with_operations", function(frm) {
if(!cint(frm.doc.with_operations)) {
@ -355,4 +361,4 @@ frappe.ui.form.on("BOM", "with_operations", function(frm) {
cur_frm.cscript.image = function() {
refresh_field("image_view");
}
};

View File

@ -322,6 +322,37 @@
"set_only_once": 0,
"unique": 0
},
{
"allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
"columns": 0,
"fieldname": "company",
"fieldtype": "Link",
"hidden": 0,
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
"in_global_search": 0,
"in_list_view": 0,
"in_standard_filter": 0,
"label": "Company",
"length": 0,
"no_copy": 0,
"options": "Company",
"permlevel": 0,
"precision": "",
"print_hide": 0,
"print_hide_if_no_value": 0,
"read_only": 0,
"remember_last_selected_value": 1,
"report_hide": 0,
"reqd": 1,
"search_index": 0,
"set_only_once": 0,
"unique": 0
},
{
"allow_bulk_edit": 0,
"allow_on_submit": 0,
@ -1051,37 +1082,6 @@
"set_only_once": 0,
"unique": 0
},
{
"allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
"columns": 0,
"fieldname": "company",
"fieldtype": "Link",
"hidden": 0,
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
"in_global_search": 0,
"in_list_view": 0,
"in_standard_filter": 0,
"label": "Company",
"length": 0,
"no_copy": 0,
"options": "Company",
"permlevel": 0,
"precision": "",
"print_hide": 0,
"print_hide_if_no_value": 0,
"read_only": 0,
"remember_last_selected_value": 1,
"report_hide": 0,
"reqd": 1,
"search_index": 0,
"set_only_once": 0,
"unique": 0
},
{
"allow_bulk_edit": 0,
"allow_on_submit": 0,
@ -1322,7 +1322,7 @@
"allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
"collapsible": 1,
"columns": 0,
"depends_on": "eval:!doc.__islocal",
"fieldname": "section_break0",

View File

@ -2,7 +2,7 @@
# License: GNU General Public License v3. See license.txt
from __future__ import unicode_literals
import frappe
import frappe, erpnext
from frappe.utils import cint, cstr, flt
from frappe import _
from erpnext.setup.utils import get_exchange_rate
@ -41,16 +41,12 @@ class BOM(WebsiteGenerator):
self.name = 'BOM-' + self.item + ('-%.3i' % idx)
def validate(self):
# if not self.route:
self.route = frappe.scrub(self.name).replace('_', '-')
self.clear_operations()
self.validate_main_item()
self.validate_currency()
self.set_conversion_rate()
from erpnext.utilities.transaction_base import validate_uom_is_integer
validate_uom_is_integer(self, "stock_uom", "stock_qty", "BOM Item")
self.validate_uom_is_interger()
self.update_stock_qty()
self.set_bom_material_details()
self.validate_materials()
@ -96,14 +92,18 @@ class BOM(WebsiteGenerator):
def set_bom_material_details(self):
for item in self.get("items"):
ret = self.get_bom_material_detail({"item_code": item.item_code, "item_name": item.item_name, "bom_no": item.bom_no,
"stock_qty": item.stock_qty})
self.validate_bom_currecny(item)
ret = self.get_bom_material_detail({
"item_code": item.item_code,
"item_name": item.item_name,
"bom_no": item.bom_no,
"stock_qty": item.stock_qty
})
for r in ret:
if not item.get(r):
item.set(r, ret[r])
self.validate_bom_currecny(item)
def get_bom_material_detail(self, args=None):
""" Get raw material details like uom, desc and rate"""
if not args:
@ -126,17 +126,19 @@ class BOM(WebsiteGenerator):
'image' : item and args['image'] or '',
'stock_uom' : item and args['stock_uom'] or '',
'uom' : item and args['stock_uom'] or '',
'conversion_factor' : 1,
'conversion_factor': 1,
'bom_no' : args['bom_no'],
'rate' : rate,
'rate' : rate / self.conversion_rate,
'qty' : args.get("qty") or args.get("stock_qty") or 1,
'stock_qty' : args.get("qty") or args.get("stock_qty") or 1,
'base_rate' : rate if self.company_currency() == self.currency else rate * self.conversion_rate
'base_rate' : rate
}
return ret_item
def validate_bom_currecny(self, item):
if item.get('bom_no') and frappe.db.get_value('BOM', item.get('bom_no'), 'currency') != self.currency:
frappe.throw(_("Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2}").format(item.idx, item.bom_no, self.currency))
frappe.throw(_("Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2}")
.format(item.idx, item.bom_no, self.currency))
def get_rm_rate(self, arg):
""" Get raw material rate as per selected method, if bom exists takes bom cost """
@ -148,17 +150,21 @@ class BOM(WebsiteGenerator):
if self.rm_cost_as_per == 'Valuation Rate':
rate = self.get_valuation_rate(arg)
elif self.rm_cost_as_per == 'Last Purchase Rate':
rate = arg['last_purchase_rate']
rate = arg['last_purchase_rate'] \
or frappe.db.get_value("Item", arg['item_code'], "last_purchase_rate")
elif self.rm_cost_as_per == "Price List":
if not self.buying_price_list:
frappe.throw(_("Please select Price List"))
rate = frappe.db.get_value("Item Price", {"price_list": self.buying_price_list,
"item_code": arg["item_code"]}, "price_list_rate") or 0
rate = frappe.db.get_value("Item Price",
{"price_list": self.buying_price_list, "item_code": arg["item_code"]}, "price_list_rate")
price_list_currency = frappe.db.get_value("Price List", self.buying_price_list, "currency")
if price_list_currency != self.company_currency():
rate = flt(rate * self.conversion_rate)
if arg['bom_no'] and (not rate or self.set_rate_of_sub_assembly_item_based_on_bom):
rate = self.get_bom_unitcost(arg['bom_no'])
return rate
return flt(rate)
def update_cost(self, update_parent=True, from_child_bom=False):
if self.docstatus == 2:
@ -167,10 +173,9 @@ class BOM(WebsiteGenerator):
existing_bom_cost = self.total_cost
for d in self.get("items"):
rate = self.get_bom_material_detail({'item_code': d.item_code, 'bom_no': d.bom_no,
'stock_qty': d.stock_qty})["rate"]
rate = self.get_rm_rate({"item_code": d.item_code, "bom_no": d.bom_no})
if rate:
d.rate = rate
d.rate = rate * flt(d.conversion_factor) / flt(self.conversion_rate)
if self.docstatus == 1:
self.flags.ignore_validate_update_after_submit = True
@ -190,7 +195,7 @@ class BOM(WebsiteGenerator):
frappe.msgprint(_("Cost Updated"))
def get_bom_unitcost(self, bom_no):
bom = frappe.db.sql("""select name, total_cost/quantity as unit_cost from `tabBOM`
bom = frappe.db.sql("""select name, base_total_cost/quantity as unit_cost from `tabBOM`
where is_active = 1 and name = %s""", bom_no, as_dict=1)
return bom and bom[0]['unit_cost'] or 0
@ -253,14 +258,14 @@ class BOM(WebsiteGenerator):
frappe.throw(_("Quantity should be greater than 0"))
def validate_currency(self):
if self.rm_cost_as_per == 'Price List' and \
frappe.db.get_value('Price List', self.buying_price_list, 'currency') != self.currency:
frappe.throw(_("Currency of the price list {0} is not similar with the selected currency {1}").format(self.buying_price_list, self.currency))
if self.rm_cost_as_per == 'Price List':
price_list_currency = frappe.db.get_value('Price List', self.buying_price_list, 'currency')
if price_list_currency not in (self.currency, self.company_currency()):
frappe.throw(_("Currency of the price list {0} must be {1} or {2}")
.format(self.buying_price_list, self.currency, self.company_currency()))
def update_stock_qty(self):
for m in self.get('items'):
if not m.conversion_factor:
m.conversion_factor = flt(get_conversion_factor(m.item_code, m.uom)['conversion_factor'])
if m.uom and m.qty:
@ -268,10 +273,17 @@ class BOM(WebsiteGenerator):
if not m.uom and m.stock_uom:
m.uom = m.stock_uom
m.qty = m.stock_qty
def validate_uom_is_interger(self):
from erpnext.utilities.transaction_base import validate_uom_is_integer
validate_uom_is_integer(self, "uom", "qty", "BOM Item")
validate_uom_is_integer(self, "stock_uom", "stock_qty", "BOM Item")
def set_conversion_rate(self):
self.conversion_rate = get_exchange_rate(self.currency, self.company_currency())
if self.currency == self.company_currency():
self.conversion_rate = 1
elif self.conversion_rate == 1 or flt(self.conversion_rate) <= 0:
self.conversion_rate = get_exchange_rate(self.currency, self.company_currency())
def validate_materials(self):
""" Validate raw material entries """
@ -289,7 +301,7 @@ class BOM(WebsiteGenerator):
for m in self.get('items'):
if m.bom_no:
validate_bom_no(m.item_code, m.bom_no)
if flt(m.stock_qty) <= 0:
if flt(m.qty) <= 0:
frappe.throw(_("Quantity required for Item {0} in row {1}").format(m.item_code, m.idx))
check_list.append(m)
@ -361,12 +373,13 @@ class BOM(WebsiteGenerator):
for d in self.get('operations'):
if d.workstation:
if not d.hour_rate:
d.hour_rate = flt(frappe.db.get_value("Workstation", d.workstation, "hour_rate"))
hour_rate = flt(frappe.db.get_value("Workstation", d.workstation, "hour_rate"))
d.hour_rate = hour_rate / flt(self.conversion_rate)
if d.hour_rate and d.time_in_mins:
d.operating_cost = flt(d.hour_rate) * flt(d.time_in_mins) / 60.0
d.base_hour_rate = flt(d.hour_rate) * flt(self.conversion_rate)
d.base_operating_cost = flt(d.base_hour_rate) * flt(d.time_in_mins) / 60.0
d.operating_cost = flt(d.hour_rate) * flt(d.time_in_mins) / 60.0
d.base_operating_cost = flt(d.operating_cost) * flt(self.conversion_rate)
self.operating_cost += flt(d.operating_cost)
self.base_operating_cost += flt(d.base_operating_cost)
@ -378,9 +391,11 @@ class BOM(WebsiteGenerator):
for d in self.get('items'):
d.base_rate = flt(d.rate) * flt(self.conversion_rate)
d.amount = flt(d.rate, self.precision("rate", d)) * flt(d.stock_qty, self.precision("stock_qty", d))
d.amount = flt(d.rate, d.precision("rate")) * flt(d.qty, d.precision("qty"))
d.base_amount = d.amount * flt(self.conversion_rate)
d.qty_consumed_per_unit = flt(d.stock_qty, self.precision("stock_qty", d)) / flt(self.quantity, self.precision("quantity"))
d.qty_consumed_per_unit = flt(d.stock_qty, d.precision("stock_qty")) \
/ flt(self.quantity, self.precision("quantity"))
total_rm_cost += d.amount
base_total_rm_cost += d.base_amount
@ -394,7 +409,7 @@ class BOM(WebsiteGenerator):
for d in self.get('scrap_items'):
d.base_rate = d.rate * self.conversion_rate
d.amount = flt(d.rate, self.precision("rate", d)) * flt(d.stock_qty, self.precision("stock_qty", d))
d.amount = flt(d.rate, d.precision("rate")) * flt(d.stock_qty, d.precision("stock_qty"))
d.base_amount = d.amount * self.conversion_rate
total_sm_cost += d.amount
base_total_sm_cost += d.base_amount
@ -421,12 +436,12 @@ class BOM(WebsiteGenerator):
'description' : d.description,
'image' : d.image,
'stock_uom' : d.stock_uom,
'stock_qty' : flt(d.stock_qty),
'stock_qty' : flt(d.stock_qty),
'rate' : d.base_rate,
}))
def company_currency(self):
return frappe.db.get_value('Company', self.company, 'default_currency')
return erpnext.get_company_currency(self.company)
def add_to_cur_exploded_items(self, args):
if self.cur_exploded_items.get(args.item_code):
@ -459,6 +474,7 @@ class BOM(WebsiteGenerator):
"Add items to Flat BOM table"
frappe.db.sql("""delete from `tabBOM Explosion Item` where parent=%s""", self.name)
self.set('exploded_items', [])
for d in sorted(self.cur_exploded_items, key=itemgetter(0)):
ch = self.append('exploded_items', {})
for i in self.cur_exploded_items[d].keys():

View File

@ -14,14 +14,16 @@ test_records = frappe.get_test_records('BOM')
class TestBOM(unittest.TestCase):
def test_get_items(self):
from erpnext.manufacturing.doctype.bom.bom import get_bom_items_as_dict
items_dict = get_bom_items_as_dict(bom=get_default_bom(), company="_Test Company", qty=1, fetch_exploded=0)
items_dict = get_bom_items_as_dict(bom=get_default_bom(),
company="_Test Company", qty=1, fetch_exploded=0)
self.assertTrue(test_records[2]["items"][0]["item_code"] in items_dict)
self.assertTrue(test_records[2]["items"][1]["item_code"] in items_dict)
self.assertEquals(len(items_dict.values()), 2)
def test_get_items_exploded(self):
from erpnext.manufacturing.doctype.bom.bom import get_bom_items_as_dict
items_dict = get_bom_items_as_dict(bom=get_default_bom(), company="_Test Company", qty=1, fetch_exploded=1)
items_dict = get_bom_items_as_dict(bom=get_default_bom(),
company="_Test Company", qty=1, fetch_exploded=1)
self.assertTrue(test_records[2]["items"][0]["item_code"] in items_dict)
self.assertFalse(test_records[2]["items"][1]["item_code"] in items_dict)
self.assertTrue(test_records[0]["items"][0]["item_code"] in items_dict)
@ -75,5 +77,53 @@ class TestBOM(unittest.TestCase):
where item_code='_Test Item 2' and docstatus=1""", as_dict=1):
self.assertEqual(d.rate, rm_rate + 10)
def test_bom_cost(self):
bom = frappe.copy_doc(test_records[2])
bom.insert()
# test amounts in selected currency
self.assertEqual(bom.operating_cost, 100)
self.assertEqual(bom.raw_material_cost, 8000)
self.assertEqual(bom.total_cost, 8100)
# test amounts in selected currency
self.assertEqual(bom.base_operating_cost, 6000)
self.assertEqual(bom.base_raw_material_cost, 480000)
self.assertEqual(bom.base_total_cost, 486000)
def test_bom_cost_multi_uom_multi_currency(self):
for item_code, rate in (("_Test Item", 3600), ("_Test Item Home Desktop Manufactured", 3000)):
frappe.db.sql("delete from `tabItem Price` where price_list='_Test Price List' and item_code=%s",
item_code)
item_price = frappe.new_doc("Item Price")
item_price.price_list = "_Test Price List"
item_price.item_code = item_code
item_price.price_list_rate = rate
item_price.insert()
bom = frappe.copy_doc(test_records[2])
bom.set_rate_of_sub_assembly_item_based_on_bom = 0
bom.rm_cost_as_per = "Price List"
bom.buying_price_list = "_Test Price List"
bom.items[0].uom = "_Test UOM 1"
bom.items[0].conversion_factor = 5
bom.insert()
bom.update_cost()
# test amounts in selected currency
self.assertEqual(bom.items[0].rate, 300)
self.assertEqual(bom.items[1].rate, 50)
self.assertEqual(bom.operating_cost, 100)
self.assertEqual(bom.raw_material_cost, 450)
self.assertEqual(bom.total_cost, 550)
# test amounts in selected currency
self.assertEqual(bom.items[0].base_rate, 18000)
self.assertEqual(bom.items[1].base_rate, 3000)
self.assertEqual(bom.base_operating_cost, 6000)
self.assertEqual(bom.base_raw_material_cost, 27000)
self.assertEqual(bom.base_total_cost, 33000)
def get_default_bom(item_code="_Test FG Item 2"):
return frappe.db.get_value("BOM", {"item": item_code, "is_active": 1, "is_default": 1})

View File

@ -6,8 +6,9 @@
"doctype": "BOM Item",
"item_code": "_Test Serialized Item With Series",
"parentfield": "items",
"stock_qty": 1.0,
"qty": 1.0,
"rate": 5000.0,
"uom": "_Test UOM",
"stock_uom": "_Test UOM",
"source_warehouse": "_Test Warehouse - _TC"
},
@ -16,8 +17,9 @@
"doctype": "BOM Item",
"item_code": "_Test Item 2",
"parentfield": "items",
"stock_qty": 2.0,
"qty": 2.0,
"rate": 1000.0,
"uom": "_Test UOM",
"stock_uom": "_Test UOM",
"source_warehouse": "_Test Warehouse - _TC"
}
@ -34,9 +36,9 @@
"scrap_items":[
{
"amount": 2000.0,
"doctype": "BOM Item",
"doctype": "BOM Scrap Item",
"item_code": "_Test Item Home Desktop 100",
"parentfield": "items",
"parentfield": "scrap_items",
"stock_qty": 1.0,
"rate": 2000.0,
"stock_uom": "_Test UOM"
@ -48,8 +50,9 @@
"doctype": "BOM Item",
"item_code": "_Test Item",
"parentfield": "items",
"stock_qty": 1.0,
"qty": 1.0,
"rate": 5000.0,
"uom": "_Test UOM",
"stock_uom": "_Test UOM",
"source_warehouse": "_Test Warehouse - _TC"
},
@ -58,8 +61,9 @@
"doctype": "BOM Item",
"item_code": "_Test Item Home Desktop 100",
"parentfield": "items",
"stock_qty": 2.0,
"qty": 2.0,
"rate": 1000.0,
"uom": "_Test UOM",
"stock_uom": "_Test UOM",
"source_warehouse": "_Test Warehouse - _TC"
}
@ -78,6 +82,7 @@
"operation": "_Test Operation 1",
"description": "_Test",
"workstation": "_Test Workstation 1",
"hour_rate": 100,
"time_in_mins": 60,
"operating_cost": 100
}
@ -88,19 +93,21 @@
"doctype": "BOM Item",
"item_code": "_Test Item",
"parentfield": "items",
"stock_qty": 1.0,
"qty": 1.0,
"rate": 5000.0,
"uom": "_Test UOM",
"stock_uom": "_Test UOM",
"source_warehouse": "_Test Warehouse - _TC"
},
{
"amount": 2000.0,
"amount": 3000.0,
"bom_no": "BOM-_Test Item Home Desktop Manufactured-001",
"doctype": "BOM Item",
"item_code": "_Test Item Home Desktop Manufactured",
"parentfield": "items",
"stock_qty": 3.0,
"qty": 3.0,
"rate": 1000.0,
"uom": "_Test UOM",
"stock_uom": "_Test UOM",
"source_warehouse": "_Test Warehouse - _TC"
}
@ -110,6 +117,8 @@
"is_active": 1,
"is_default": 1,
"currency": "USD",
"conversion_rate": 60,
"company": "_Test Company",
"item": "_Test FG Item 2",
"quantity": 1.0,
"with_operations": 1
@ -130,8 +139,9 @@
"doctype": "BOM Item",
"item_code": "_Test Item",
"parentfield": "items",
"stock_qty": 2.0,
"qty": 2.0,
"rate": 3000.0,
"uom": "_Test UOM",
"stock_uom": "_Test UOM",
"source_warehouse": "_Test Warehouse - _TC"
}

View File

@ -171,7 +171,7 @@
"allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
"collapsible": 1,
"columns": 0,
"fieldname": "section_break_5",
"fieldtype": "Section Break",
@ -182,6 +182,7 @@
"in_global_search": 0,
"in_list_view": 0,
"in_standard_filter": 0,
"label": "Description",
"length": 0,
"no_copy": 0,
"permlevel": 0,
@ -373,7 +374,7 @@
"read_only": 0,
"remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 0,
"reqd": 1,
"search_index": 0,
"set_only_once": 0,
"unique": 0
@ -404,7 +405,7 @@
"read_only": 0,
"remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 0,
"reqd": 1,
"search_index": 0,
"set_only_once": 0,
"unique": 0
@ -464,7 +465,39 @@
"read_only": 1,
"remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 1,
"reqd": 0,
"search_index": 0,
"set_only_once": 0,
"unique": 0
},
{
"allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
"columns": 0,
"fieldname": "stock_uom",
"fieldtype": "Link",
"hidden": 0,
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
"in_global_search": 0,
"in_list_view": 0,
"in_standard_filter": 0,
"label": "Stock UOM",
"length": 0,
"no_copy": 0,
"oldfieldname": "stock_uom",
"oldfieldtype": "Data",
"options": "UOM",
"permlevel": 0,
"print_hide": 0,
"print_hide_if_no_value": 0,
"read_only": 1,
"remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 0,
"search_index": 0,
"set_only_once": 0,
"unique": 0
@ -505,8 +538,8 @@
"bold": 0,
"collapsible": 0,
"columns": 0,
"fieldname": "stock_uom",
"fieldtype": "Link",
"fieldname": "rate_amount_section",
"fieldtype": "Section Break",
"hidden": 0,
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
@ -514,16 +547,45 @@
"in_global_search": 0,
"in_list_view": 0,
"in_standard_filter": 0,
"label": "Stock UOM",
"label": "Rate & Amount",
"length": 0,
"no_copy": 0,
"oldfieldname": "stock_uom",
"oldfieldtype": "Data",
"options": "UOM",
"permlevel": 0,
"precision": "",
"print_hide": 0,
"print_hide_if_no_value": 0,
"read_only": 0,
"remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 0,
"search_index": 0,
"set_only_once": 0,
"unique": 0
},
{
"allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
"columns": 0,
"description": "",
"fieldname": "rate",
"fieldtype": "Currency",
"hidden": 0,
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
"in_global_search": 0,
"in_list_view": 1,
"in_standard_filter": 0,
"label": "Rate",
"length": 0,
"no_copy": 0,
"options": "currency",
"permlevel": 0,
"print_hide": 0,
"print_hide_if_no_value": 0,
"read_only": 1,
"read_only": 0,
"remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 1,
@ -537,8 +599,7 @@
"bold": 0,
"collapsible": 0,
"columns": 0,
"description": "See \"Rate Of Materials Based On\" in Costing Section",
"fieldname": "rate",
"fieldname": "base_rate",
"fieldtype": "Currency",
"hidden": 0,
"ignore_user_permissions": 0,
@ -547,17 +608,47 @@
"in_global_search": 0,
"in_list_view": 0,
"in_standard_filter": 0,
"label": "Rate",
"label": "Basic Rate (Company Currency)",
"length": 0,
"no_copy": 0,
"options": "currency",
"options": "Company:company:default_currency",
"permlevel": 0,
"precision": "",
"print_hide": 1,
"print_hide_if_no_value": 0,
"read_only": 1,
"remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 0,
"search_index": 0,
"set_only_once": 0,
"unique": 0
},
{
"allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
"columns": 0,
"fieldname": "column_break_21",
"fieldtype": "Column Break",
"hidden": 0,
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
"in_global_search": 0,
"in_list_view": 0,
"in_standard_filter": 0,
"length": 0,
"no_copy": 0,
"permlevel": 0,
"precision": "",
"print_hide": 0,
"print_hide_if_no_value": 0,
"read_only": 0,
"remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 1,
"reqd": 0,
"search_index": 0,
"set_only_once": 0,
"unique": 0
@ -596,37 +687,6 @@
"unique": 0,
"width": "150px"
},
{
"allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
"columns": 0,
"fieldname": "base_rate",
"fieldtype": "Currency",
"hidden": 0,
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
"in_global_search": 0,
"in_list_view": 0,
"in_standard_filter": 0,
"label": "Basic Rate (Company Currency)",
"length": 0,
"no_copy": 0,
"options": "Company:company:default_currency",
"permlevel": 0,
"precision": "",
"print_hide": 1,
"print_hide_if_no_value": 0,
"read_only": 1,
"remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 0,
"search_index": 0,
"set_only_once": 0,
"unique": 0
},
{
"allow_bulk_edit": 0,
"allow_on_submit": 0,
@ -700,7 +760,7 @@
"ignore_xss_filter": 0,
"in_filter": 0,
"in_global_search": 0,
"in_list_view": 1,
"in_list_view": 0,
"in_standard_filter": 0,
"label": "Scrap %",
"length": 0,
@ -760,7 +820,7 @@
"issingle": 0,
"istable": 1,
"max_attachments": 0,
"modified": "2017-07-04 17:42:37.218408",
"modified": "2017-08-18 16:22:46.078661",
"modified_by": "Administrator",
"module": "Manufacturing",
"name": "BOM Item",

View File

@ -92,7 +92,8 @@ class TestProductionOrder(unittest.TestCase):
self.assertEqual(prod_order.name, time_sheet_doc.production_order)
self.assertEqual((prod_order.qty - d.completed_qty), sum([d.completed_qty for d in time_sheet_doc.time_logs]))
self.assertEqual((prod_order.qty - d.completed_qty),
sum([d.completed_qty for d in time_sheet_doc.time_logs]))
manufacturing_settings = frappe.get_doc({
"doctype": "Manufacturing Settings",
@ -106,7 +107,7 @@ class TestProductionOrder(unittest.TestCase):
self.assertEqual(prod_order.operations[0].completed_qty, prod_order.qty)
self.assertEqual(prod_order.operations[0].actual_operation_time, 60)
self.assertEqual(prod_order.operations[0].actual_operating_cost, 100)
self.assertEqual(prod_order.operations[0].actual_operating_cost, 6000)
time_sheet_doc1 = make_timesheet(prod_order.name, prod_order.company)
self.assertEqual(len(time_sheet_doc1.get('time_logs')), 0)

View File

@ -437,9 +437,10 @@ erpnext.patches.v8_7.fix_purchase_receipt_status
erpnext.patches.v8_6.rename_bom_update_tool
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
erpnext.patches.v8_10.add_due_date_to_gle
erpnext.patches.v8_10.update_gl_due_date_for_pi_and_si
erpnext.patches.v8_10.add_payment_terms_field_to_supplier
erpnext.patches.v8_10.change_default_customer_credit_days
erpnext.patches.v8_10.add_payment_terms_field_to_supplier_type
erpnext.patches.v8_10.change_default_supplier_type_credit_days
erpnext.patches.v8_10.change_default_supplier_type_credit_days

View File

View File

@ -0,0 +1,13 @@
# Copyright (c) 2017, Frappe and Contributors
# License: GNU General Public License v3. See license.txt
from __future__ import unicode_literals
import frappe
def execute():
frappe.db.sql("""
update `tabBOM Item`
set rate = rate * conversion_factor
where uom != stock_uom and docstatus < 2
and conversion_factor not in (0, 1)
""")

View File

@ -8,6 +8,16 @@ frappe.ui.form.on("Company", {
erpnext.company.setup_queries(frm);
},
company_name: function(frm) {
if(frm.doc.__islocal) {
let parts = frm.doc.company_name.split();
let abbr = $.map(parts, function (p) {
return p? p.substr(0, 1) : null;
}).join("");
frm.set_value("abbr", abbr);
}
},
refresh: function(frm) {
if(frm.doc.abbr && !frm.doc.__islocal) {
frm.set_df_property("abbr", "read_only", 1);

View File

@ -8,7 +8,7 @@ def get_data():
'graph': True,
'graph_method': "frappe.utils.goal.get_monthly_goal_graph_data",
'graph_method_args': {
'title': 'Sales',
'title': _('Sales'),
'goal_value_field': 'monthly_sales_target',
'goal_total_field': 'total_monthly_sales',
'goal_history_field': 'sales_monthly_history',

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

View File

@ -3,5 +3,5 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +29,Employee {0} on Hal
DocType: Purchase Invoice Item,Item,Producto
DocType: Payment Entry,Deductions or Loss,Deducciones o Pérdidas
DocType: Cheque Print Template,Cheque Size,Tamaño de Cheque
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Hacer lotes de Estudiante
apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Hacer lotes de Estudiante
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +33,Employee {0} on Leave on {1},"Empleado {0}, la jornada del día {1}"

1 DocType: Fee Structure Components Componentes
3 DocType: Purchase Invoice Item Item Producto
4 DocType: Payment Entry Deductions or Loss Deducciones o Pérdidas
5 DocType: Cheque Print Template Cheque Size Tamaño de Cheque
6 apps/erpnext/erpnext/utilities/activation.py +126 apps/erpnext/erpnext/utilities/activation.py +128 Make Student Batch Hacer lotes de Estudiante
7 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +33 Employee {0} on Leave on {1} Empleado {0}, la jornada del día {1}

View File

@ -29,7 +29,7 @@ DocType: Stock Entry,Customer or Supplier Details,Detalle de cliente o proveedor
DocType: Course Scheduling Tool,Course Scheduling Tool,Herramienta de Programación de cursos
DocType: Shopping Cart Settings,Checkout Settings,Ajustes de Finalización de Pedido
DocType: Guardian Interest,Guardian Interest,Interés del Guardián
apps/erpnext/erpnext/public/js/setup_wizard.js +376,Classrooms/ Laboratories etc where lectures can be scheduled.,"Aulas / laboratorios, etc., donde las lecturas se pueden programar."
apps/erpnext/erpnext/utilities/user_progress.py +184,Classrooms/ Laboratories etc where lectures can be scheduled.,"Aulas / laboratorios, etc., donde las lecturas se pueden programar."
apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,Finalizando pedido
DocType: Guardian Student,Guardian Student,Guardián del Estudiante
DocType: BOM Operation,Base Hour Rate(Company Currency),Tarifa Base por Hora (Divisa de Compañía)

1 DocType: Assessment Plan Grading Scale Escala de Calificación
29 DocType: Course Scheduling Tool Course Scheduling Tool Herramienta de Programación de cursos
30 DocType: Shopping Cart Settings Checkout Settings Ajustes de Finalización de Pedido
31 DocType: Guardian Interest Guardian Interest Interés del Guardián
32 apps/erpnext/erpnext/public/js/setup_wizard.js +376 apps/erpnext/erpnext/utilities/user_progress.py +184 Classrooms/ Laboratories etc where lectures can be scheduled. Aulas / laboratorios, etc., donde las lecturas se pueden programar.
33 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18 Checkout Finalizando pedido
34 DocType: Guardian Student Guardian Student Guardián del Estudiante
35 DocType: BOM Operation Base Hour Rate(Company Currency) Tarifa Base por Hora (Divisa de Compañía)

View File

@ -69,5 +69,5 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34,
apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',"Por favor, establezca el filtro de Compañía en blanco si Agrupar Por es 'Compañía'"
DocType: 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 +44,Leave Encashment,Cobro de Permiso
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

1 DocType: Timesheet Total Costing Amount Monto Total Calculado
69
70
71
72
73

View File

@ -68,7 +68,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_cal
DocType: Production Order,Actual Start Date,Fecha de inicio actual
apps/erpnext/erpnext/hr/doctype/employee/employee.py +119,Contract End Date must be greater than Date of Joining,La Fecha de Finalización de Contrato debe ser mayor que la Fecha de la Firma
DocType: Sales Invoice Item,Delivery Note Item,Articulo de la Nota de Entrega
apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Lo sentimos , las empresas no se pueden combinar"
apps/erpnext/erpnext/setup/doctype/company/company.py +222,"Sorry, companies cannot be merged","Lo sentimos , las empresas no se pueden combinar"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Cliente requiere para ' Customerwise descuento '
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Oportunidades de venta
DocType: Delivery Note Item,Against Sales Order Item,Contra la Orden de Venta de Artículos
@ -172,7 +172,7 @@ apps/erpnext/erpnext/config/selling.py +18,Confirmed orders from Customers.,Pedi
DocType: Warranty Claim,Service Address,Dirección del Servicio
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Aplicación de Fondos (Activos )
DocType: Pricing Rule,Discount on Price List Rate (%),Descuento sobre la tarifa del listado de precios (%)
apps/erpnext/erpnext/public/js/setup_wizard.js +92,The name of your company for which you are setting up this system.,El nombre de su empresa para la que va a configurar el sistema.
apps/erpnext/erpnext/public/js/setup_wizard.js +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
@ -200,18 +200,17 @@ 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/public/js/setup_wizard.js +238,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Enumere sus obligaciones fiscales (Ejemplo; IVA, aduanas, etc.) deben tener nombres únicos y sus tarifas por defecto. Esto creará una plantilla estándar, que podrá editar más tarde."
apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Por favor, asegúrese que realmente desea borrar todas las transacciones de esta compañía. Sus datos maestros permanecerán intactos. Esta acción no se puede deshacer."
DocType: Shopping Cart Settings,Shopping Cart Settings,Compras Ajustes
DocType: BOM,Raw Material Cost,Costo de la Materia Prima
apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Existe una categoría de cliente con el mismo nombre, por favor cambie el nombre del cliente o cambie el nombre de la categoría"
apps/erpnext/erpnext/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"
apps/erpnext/erpnext/config/hr.py +147,Template for performance appraisals.,Plantilla para las evaluaciones de desempeño .
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,Cotización {0} se cancela
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 +96,What does it do?,¿Qué hace?
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/public/js/setup_wizard.js +257,List a few of your customers. They could be organizations or individuals.,Enumere algunos de sus clientes. Pueden ser organizaciones o individuos.
apps/erpnext/erpnext/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
DocType: Leave Block List,Leave Block List Allowed,Lista de Bloqueo de Vacaciones Permitida
@ -238,12 +237,12 @@ DocType: Opportunity,Opportunity From,Oportunidad De
DocType: Supplier Quotation,Supplier Address,Dirección del proveedor
DocType: Purchase Order Item,Expected Delivery Date,Fecha Esperada de Envio
DocType: Product Bundle,Parent Item,Artículo Principal
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Desarrollador de Software
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +126,Software Developer,Desarrollador de Software
DocType: Item,Website Item Groups,Grupos de Artículos del Sitio Web
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Gastos de Comercialización
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","No se puede declarar como perdido , porque la cotización ha sido hecha."
DocType: Leave Allocation,New Leaves Allocated,Nuevas Vacaciones Asignadas
apps/erpnext/erpnext/public/js/setup_wizard.js +207,user@example.com,user@example.com
apps/erpnext/erpnext/utilities/user_progress.py +206,user@example.com,user@example.com
DocType: Asset Movement,Source Warehouse,fuente de depósito
apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,No se han añadido contactos todavía
apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Tipo Root es obligatorio
@ -259,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 +1083,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 +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/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
@ -283,7 +282,7 @@ DocType: Buying Settings,Settings for Buying Module,Ajustes para la compra de m
DocType: Sales Person,Sales Person Targets,Metas de Vendedor
apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Condiciones contractuales estándar para ventas y compras.
DocType: Stock Entry Detail,Actual Qty (at source/target),Cantidad Actual (en origen/destino)
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Permiso con Privilegio
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Privilege Leave,Permiso con Privilegio
DocType: Cost Center,Stock User,Foto del usuario
DocType: Purchase Taxes and Charges,On Previous Row Amount,En la Fila Anterior de Cantidad
DocType: Appraisal Goal,Weightage (%),Coeficiente de ponderación (% )
@ -298,8 +297,7 @@ apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email
apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py +17,Transactions can only be deleted by the creator of the Company,Las transacciones sólo pueden ser borrados por el creador de la Compañía
DocType: Cost Center,Parent Cost Center,Centro de Costo Principal
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Préstamos y anticipos (Activos)
apps/erpnext/erpnext/hooks.py +94,Shipments,Los envíos
apps/erpnext/erpnext/public/js/setup_wizard.js +316,We buy this Item,Compramos este artículo
apps/erpnext/erpnext/hooks.py +98,Shipments,Los envíos
apps/erpnext/erpnext/controllers/buying_controller.py +151,Please enter 'Is Subcontracted' as Yes or No,"Por favor, introduzca si 'Es Subcontratado' o no"
apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,La Abreviación ya está siendo utilizada para otra compañía
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Orden de Compra del Artículo Suministrado
@ -326,7 +324,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} ag
DocType: Production Planning Tool,Select Items,Seleccione Artículos
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0}: {1} {2} does not match with {3},Fila {0}: {1} {2} no coincide con {3}
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,"Fila # {0}: Operación {1} no se ha completado para {2} cantidad de productos terminados en orden de producción # {3}. Por favor, actualice el estado de funcionamiento a través de los registros de tiempo"
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Gestión de la Calidad
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Quality Management,Gestión de la Calidad
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Los detalles de las operaciones realizadas.
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Evaluación del Desempeño .
DocType: Quality Inspection Reading,Quality Inspection Reading,Lectura de Inspección de Calidad
@ -359,8 +357,8 @@ DocType: Material Request,% Ordered,% Pedido
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',La 'Fecha de inicio estimada' no puede ser mayor que la 'Fecha de finalización estimada'
DocType: UOM Conversion Detail,UOM Conversion Detail,Detalle de Conversión de Unidad de Medida
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Para filtrar en base a la fiesta, seleccione Partido Escriba primero"
apps/erpnext/erpnext/public/js/setup_wizard.js +267,Contact Name,Nombre del Contacto
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Configuración completa !
apps/erpnext/erpnext/utilities/user_progress.py +46,Contact Name,Nombre del Contacto
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +22,Setup Already Complete!!,Configuración completa !
DocType: Quotation,Quotation Lost Reason,Cotización Pérdida Razón
DocType: Monthly Distribution,Monthly Distribution Percentages,Los porcentajes de distribución mensuales
apps/erpnext/erpnext/config/maintenance.py +12,Plan for maintenance visits.,Plan para las visitas de mantenimiento.
@ -377,7 +375,7 @@ DocType: Customer,Buyer of Goods and Services.,Compradores de Productos y Servic
DocType: Quotation Item,Stock Balance,Balance de Inventarios
apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +701,Cost Center For Item with Item Code ',Centro de Costos para artículo con Código del artículo '
DocType: POS Profile,Write Off Cost Center,Centro de costos de desajuste
apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,"Por favor, póngase en contacto con el usuario con función de Gerente de Ventas {0}"
apps/erpnext/erpnext/selling/doctype/customer/customer.py +170,Please contact to the user who have Sales Master Manager {0} role,"Por favor, póngase en contacto con el usuario con función de Gerente de Ventas {0}"
DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Permitir a los usuarios siguientes aprobar Solicitudes de ausencia en bloques de días.
DocType: Purchase Invoice Item,Net Rate,Tasa neta
DocType: Purchase Taxes and Charges,Reference Row #,Referencia Fila #
@ -491,7 +489,7 @@ DocType: Sales Partner,Sales Partner Target,Socio de Ventas Objetivo
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Hacer Visita de Mantenimiento
apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +455,Stock cannot be updated against Delivery Note {0},Inventario no puede actualizarse contra Nota de Envio {0}
DocType: Workstation,Rent Cost,Renta Costo
apps/erpnext/erpnext/hooks.py +125,Issues,Problemas
apps/erpnext/erpnext/hooks.py +129,Issues,Problemas
DocType: BOM Update Tool,Current BOM,Lista de materiales actual
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Fila # {0}:
DocType: Timesheet,% Amount Billed,% Monto Facturado
@ -579,7 +577,7 @@ DocType: Sales Order Item,Ordered Qty,Cantidad Pedida
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Total (Amt)
DocType: Journal Entry,Credit Card Entry,Introducción de tarjetas de crédito
DocType: Authorization Rule,Applicable To (Designation),Aplicables a (Denominación )
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Stock Options,Opciones sobre Acciones
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +219,Stock Options,Opciones sobre Acciones
DocType: Account,Receivable,Cuenta por Cobrar
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,El campo 'Oportunidad de' es obligatorio
DocType: Sales Partner,Reseller,Reseller
@ -587,14 +585,12 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receiv
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Gastos de Mantenimiento de Oficinas
DocType: BOM,Manufacturing,Producción
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,'Entradas' no puede estar vacío
apps/erpnext/erpnext/public/js/setup_wizard.js +247,Rate (%),Procentaje (% )
DocType: Leave Control Panel,Leave Control Panel,Salir del Panel de Control
DocType: Monthly Distribution Percentage,Percentage Allocation,Porcentaje de asignación de
DocType: Shipping Rule Condition,Shipping Amount,Importe del envío
apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,El código del artículo es obligatorio porque el producto no se enumera automáticamente
DocType: Sales Invoice Item,Sales Order Item,Articulo de la Solicitud de Venta
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Inspección de calidad entrante
apps/erpnext/erpnext/public/js/setup_wizard.js +297,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Enumere algunos de los productos o servicios que usted compra o vende. asegúrese de revisar el 'Grupo' de los artículos, unidad de medida (UOM) y las demás propiedades."
DocType: Sales Person,Parent Sales Person,Contacto Principal de Ventas
DocType: Warehouse,Warehouse Contact Info,Información de Contacto del Almacén
DocType: Supplier,Statutory info and other general information about your Supplier,Información legal y otra información general acerca de su proveedor
@ -638,12 +634,12 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Luego las reglas de precios son filtradas en base a Cliente, Categoría de cliente, Territorio, Proveedor, Tipo de Proveedor, Campaña, Socio de Ventas, etc"
DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Introduzca el nombre de la campaña si el origen de la encuesta es una campaña
DocType: BOM Item,Scrap %,Chatarra %
apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Carge su membrete y su logotipo. (Puede editarlos más tarde).
apps/erpnext/erpnext/public/js/setup_wizard.js +47,Upload your letter head and logo. (you can edit them later).,Carge su membrete y su logotipo. (Puede editarlos más tarde).
DocType: Item,Is Purchase Item,Es una compra de productos
apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Utilidad/Pérdida Neta
DocType: Serial No,Delivery Document No,Entrega del documento No
DocType: Notification Control,Notification Control,Control de Notificación
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Oficial Administrativo
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +121,Administrative Officer,Oficial Administrativo
DocType: BOM,Show In Website,Mostrar En Sitio Web
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Cuenta de sobregiros
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Existe otro {0} # {1} contra la entrada de población {2}: Advertencia
@ -651,7 +647,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock'
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +64,Approval Status must be 'Approved' or 'Rejected',"Estado de aprobación debe ser "" Aprobado "" o "" Rechazado """
DocType: Employee,Holiday List,Lista de Feriados
DocType: Selling Settings,Settings for Selling Module,Ajustes para vender Módulo
apps/erpnext/erpnext/public/js/setup_wizard.js +100,"e.g. ""Build tools for builders""","por ejemplo "" Herramientas para los Constructores """
apps/erpnext/erpnext/public/js/setup_wizard.js +110,"e.g. ""Build tools for builders""","por ejemplo "" Herramientas para los Constructores """
DocType: Process Payroll,Submit all salary slips for the above selected criteria,Presentar todas las nóminas para los criterios seleccionados anteriormente
DocType: Purchase Invoice,Taxes and Charges Deducted,Impuestos y Gastos Deducidos
DocType: Production Order Operation,Actual Time and Cost,Tiempo y costo actual
@ -721,14 +717,14 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_
DocType: Notification Control,Purchase Order Message,Mensaje de la Orden de Compra
DocType: Customer Group,Only leaf nodes are allowed in transaction,Sólo las Cuentas de Detalle se permiten en una transacción
apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py +19,Date is repeated,Fecha se repite
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,Gobierno
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +138,Government,Gobierno
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Valores y Bolsas de Productos
DocType: Supplier Quotation,Stopped,Detenido
DocType: Item,Items with higher weightage will be shown higher,Los productos con mayor peso se mostraran arriba
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Ambos almacenes deben pertenecer a una misma empresa
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Fila # {0}: No se puede devolver más de {1} para el artículo {2}
DocType: Supplier,Supplier of Goods or Services.,Proveedor de Productos o Servicios.
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Secretario
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +119,Secretary,Secretario
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +174,Lead must be set if Opportunity is made from Lead,La Iniciativa se debe establecer si la oportunidad está hecha desde Iniciativas
DocType: Production Order Operation,Operation completed for how many finished goods?,La operación se realizó para la cantidad de productos terminados?
DocType: Rename Tool,Type of document to rename.,Tipo de documento para cambiar el nombre.
@ -771,7 +767,7 @@ apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +42,Appraisal {0} created for Employee {1} in the given date range,Evaluación {0} creado por Empleado {1} en el rango de fechas determinado
DocType: Employee Leave Approver,Employee Leave Approver,Supervisor de Vacaciones del Empleado
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Banca de Inversión
apps/erpnext/erpnext/public/js/setup_wizard.js +310,Unit,Unidad
apps/erpnext/erpnext/utilities/user_progress.py +100,Unit,Unidad
,Stock Analytics,Análisis de existencias
DocType: Leave Control Panel,Leave blank if considered for all departments,Dejar en blanco si se considera para todos los departamentos
,Purchase Order Items To Be Billed,Ordenes de Compra por Facturar
@ -781,7 +777,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as
DocType: Account,Expenses Included In Valuation,Gastos dentro de la valoración
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Clientes Nuevos
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Total Impuestos y Cargos (Moneda Local)
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Pieza de trabajo
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Piecework,Pieza de trabajo
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).,El elemento {0}: Con la cantidad ordenada {1} no puede ser menor que el pedido mínimo {2} (definido en el producto).
DocType: Warehouse,A logical Warehouse against which stock entries are made.,Un almacén lógico por el cual se hacen las entradas de existencia.
DocType: Item,Has Batch No,Tiene lote No
@ -794,9 +790,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child
,Stock Projected Qty,Cantidad de Inventario Proyectada
DocType: Hub Settings,Seller Country,País del Vendedor
DocType: Production Order Operation,Updated via 'Time Log',Actualizado a través de 'Hora de Registro'
apps/erpnext/erpnext/public/js/setup_wizard.js +314,We sell this Item,Vendemos este artículo
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} contra Factura {1} de fecha {2}
apps/erpnext/erpnext/public/js/setup_wizard.js +296,Your Products or Services,Sus productos o servicios
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}.
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.
@ -874,7 +869,7 @@ DocType: Cost Center,Cost Center Name,Nombre Centro de Costo
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Solicitud de Material utilizado para hacer esta Entrada de Inventario
DocType: Fiscal Year,Year End Date,Año de Finalización
DocType: Purchase Invoice,Supplier Invoice Date,Fecha de la Factura de Proveedor
apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Límite de crédito se ha cruzado para el cliente {0} {1} / {2}
apps/erpnext/erpnext/selling/doctype/customer/customer.py +164,Credit limit has been crossed for customer {0} {1}/{2},Límite de crédito se ha cruzado para el cliente {0} {1} / {2}
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Se trata de un grupo de elementos raíz y no se puede editar .
apps/erpnext/erpnext/controllers/buying_controller.py +268,Specified BOM {0} does not exist for Item {1},Solicitud de Materiales especificado {0} no existe la partida {1}
apps/erpnext/erpnext/hr/doctype/appraisal_template/appraisal_template.py +21,Sum of points for all goals should be 100. It is {0},Suma de puntos para todas las metas debe ser 100. Es {0}
@ -1026,7 +1021,7 @@ DocType: POS Profile,POS Profile,Perfiles POS
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Reglas para la adición de los gastos de envío .
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +167,Item Code required at Row No {0},Código del producto requerido en la fila No. {0}
DocType: SMS Log,No of Requested SMS,No. de SMS solicitados
apps/erpnext/erpnext/public/js/setup_wizard.js +310,Nos,Números
apps/erpnext/erpnext/utilities/user_progress.py +100,Nos,Números
DocType: Employee,Short biography for website and other publications.,Breve biografía de la página web y otras publicaciones.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Permiso de tipo {0} no puede tener más de {1}
,Sales Browser,Navegador de Ventas
@ -1060,7 +1055,7 @@ DocType: BOM Item,Basic Rate (Company Currency),Precio Base (Moneda Local)
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +79,Total Outstanding Amt,Monto Total Soprepasado
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Monto Sobrepasado
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Fila {0}: Crédito no puede vincularse con {1}
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,Tarjeta de Crédito
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +171,Credit Card,Tarjeta de Crédito
apps/erpnext/erpnext/accounts/party.py +257,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Partidas contables ya han sido realizadas en {0} para la empresa {1}. Por favor seleccione una cuenta por cobrar o pagar con moneda {0}
apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},Duplicar fila {0} con el mismo {1}
DocType: Leave Application,Leave Application,Solicitud de Vacaciones

1 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13 This is a root sales person and cannot be edited. Se trata de una persona de las ventas raíz y no se puede editar .
68 apps/erpnext/erpnext/hr/doctype/employee/employee.py +119 Contract End Date must be greater than Date of Joining La Fecha de Finalización de Contrato debe ser mayor que la Fecha de la Firma
69 DocType: Sales Invoice Item Delivery Note Item Articulo de la Nota de Entrega
70 apps/erpnext/erpnext/setup/doctype/company/company.py +225 apps/erpnext/erpnext/setup/doctype/company/company.py +222 Sorry, companies cannot be merged Lo sentimos , las empresas no se pueden combinar
71 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42 Customer required for 'Customerwise Discount' Cliente requiere para ' Customerwise descuento '
72 apps/erpnext/erpnext/config/crm.py +17 Potential opportunities for selling. Oportunidades de venta
73 DocType: Delivery Note Item Against Sales Order Item Contra la Orden de Venta de Artículos
74 DocType: Quality Inspection Sample Size Tamaño de la muestra
172 apps/erpnext/erpnext/public/js/setup_wizard.js +92 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.
173 DocType: Account Frozen Congelado
174 DocType: Attendance HR Manager Gerente de Recursos Humanos
175 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
176 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.
177 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}
178 DocType: Production Order Not Started Sin comenzar
200 apps/erpnext/erpnext/public/js/setup_wizard.js +238 apps/erpnext/erpnext/setup/doctype/company/company.js +52 List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later. 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. Enumere sus obligaciones fiscales (Ejemplo; IVA, aduanas, etc.) deben tener nombres únicos y sus tarifas por defecto. Esto creará una plantilla estándar, que podrá editar más tarde. 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.
201 apps/erpnext/erpnext/setup/doctype/company/company.js +52 DocType: Shopping Cart Settings 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. Shopping Cart Settings 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. Compras Ajustes
202 DocType: Shopping Cart Settings DocType: BOM Shopping Cart Settings Raw Material Cost Compras Ajustes Costo de la Materia Prima
DocType: BOM Raw Material Cost Costo de la Materia Prima
203 apps/erpnext/erpnext/selling/doctype/customer/customer.py +115 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
204 apps/erpnext/erpnext/config/hr.py +147 Template for performance appraisals. Plantilla para las evaluaciones de desempeño .
205 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158 Quotation {0} is cancelled Cotización {0} se cancela
206 apps/erpnext/erpnext/controllers/stock_controller.py +331 Quality Inspection required for Item {0} Inspección de la calidad requerida para el articulo {0}
207 apps/erpnext/erpnext/public/js/setup_wizard.js +96 apps/erpnext/erpnext/public/js/setup_wizard.js +106 What does it do? ¿Qué hace?
208 DocType: Task Actual Time (in Hours) Tiempo actual (En horas)
209 apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +749 Make Sales Order Hacer Orden de Venta
210 apps/erpnext/erpnext/public/js/setup_wizard.js +257 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.
211 DocType: Item Customer Detail Ref Code Código Referencia
212 DocType: Item Default Selling Cost Center Centros de coste por defecto
213 DocType: Leave Block List Leave Block List Allowed Lista de Bloqueo de Vacaciones Permitida
214 DocType: Quality Inspection Report Date Fecha del Informe
215 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +140 Purchase Invoice {0} is already submitted Factura de Compra {0} ya existe
216 DocType: Purchase Invoice Currency and Price List Divisa y Lista de precios
237 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +126 Software Developer Desarrollador de Software
238 DocType: Item Website Item Groups Grupos de Artículos del Sitio Web
239 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103 Marketing Expenses Gastos de Comercialización
240 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81 Cannot declare as lost, because Quotation has been made. No se puede declarar como perdido , porque la cotización ha sido hecha.
241 DocType: Leave Allocation New Leaves Allocated Nuevas Vacaciones Asignadas
242 apps/erpnext/erpnext/public/js/setup_wizard.js +207 apps/erpnext/erpnext/utilities/user_progress.py +206 user@example.com user@example.com
243 DocType: Asset Movement Source Warehouse fuente de depósito
244 apps/erpnext/erpnext/public/js/templates/contact_list.html +34 No contacts added yet. No se han añadido contactos todavía
245 apps/erpnext/erpnext/accounts/doctype/account/account.py +159 Root Type is mandatory Tipo Root es obligatorio
246 DocType: Training Event Scheduled Programado
247 DocType: Salary Detail Depends on Leave Without Pay Depende de ausencia sin pago
248 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77 Total Paid Amt Total Pagado Amt
258 apps/erpnext/erpnext/public/js/controllers/transaction.js +1083 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
259 apps/erpnext/erpnext/selling/doctype/customer/customer.py +34 Series is mandatory Serie es obligatorio
260 Item Shortage Report Reportar carencia de producto
261 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
262 DocType: Stock Entry Sales Invoice No Factura de Venta No
263 DocType: HR Settings Don't send Employee Birthday Reminders En enviar recordatorio de cumpleaños del empleado
264 Ordered Items To Be Delivered Artículos pedidos para ser entregados
282 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83 Privilege Leave Permiso con Privilegio
283 DocType: Cost Center Stock User Foto del usuario
284 DocType: Purchase Taxes and Charges On Previous Row Amount En la Fila Anterior de Cantidad
285 DocType: Appraisal Goal Weightage (%) Coeficiente de ponderación (% )
286 DocType: Serial No Creation Time Momento de la creación
287 DocType: Stock Entry Default Source Warehouse Origen predeterminado Almacén
288 DocType: Sales Taxes and Charges Template Sales Taxes and Charges Template Plantilla de Cargos e Impuestos sobre Ventas
297 apps/erpnext/erpnext/hooks.py +94 apps/erpnext/erpnext/hooks.py +98 Shipments Los envíos
298 apps/erpnext/erpnext/public/js/setup_wizard.js +316 apps/erpnext/erpnext/controllers/buying_controller.py +151 We buy this Item Please enter 'Is Subcontracted' as Yes or No Compramos este artículo Por favor, introduzca si 'Es Subcontratado' o no
299 apps/erpnext/erpnext/controllers/buying_controller.py +151 apps/erpnext/erpnext/setup/doctype/company/company.py +51 Please enter 'Is Subcontracted' as Yes or No Abbreviation already used for another company Por favor, introduzca si 'Es Subcontratado' o no La Abreviación ya está siendo utilizada para otra compañía
300 apps/erpnext/erpnext/setup/doctype/company/company.py +51 DocType: Purchase Order Item Supplied Abbreviation already used for another company Purchase Order Item Supplied La Abreviación ya está siendo utilizada para otra compañía Orden de Compra del Artículo Suministrado
DocType: Purchase Order Item Supplied Purchase Order Item Supplied Orden de Compra del Artículo Suministrado
301 DocType: Selling Settings Sales Order Required Orden de Ventas Requerida
302 DocType: Request for Quotation Item Required Date Fecha Requerida
303 DocType: Manufacturing Settings Allow Overtime Permitir horas extras
324 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109 Quality Management Gestión de la Calidad
325 apps/erpnext/erpnext/config/manufacturing.py +62 Details of the operations carried out. Los detalles de las operaciones realizadas.
326 apps/erpnext/erpnext/config/hr.py +142 Performance appraisal. Evaluación del Desempeño .
327 DocType: Quality Inspection Reading Quality Inspection Reading Lectura de Inspección de Calidad
328 DocType: Purchase Invoice Item Net Amount (Company Currency) Importe neto (moneda de la compañía)
329 DocType: Sales Order Track this Sales Order against any Project Seguir este de órdenes de venta en contra de cualquier proyecto
330 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40 Selling must be checked, if Applicable For is selected as {0} Ventas debe ser seleccionado, si se selecciona Aplicable Para como {0}
357 apps/erpnext/erpnext/public/js/setup_wizard.js +267 apps/erpnext/erpnext/utilities/user_progress.py +46 Contact Name Nombre del Contacto
358 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +22 Setup Already Complete!! Configuración completa !
359 DocType: Quotation Quotation Lost Reason Cotización Pérdida Razón
360 DocType: Monthly Distribution Monthly Distribution Percentages Los porcentajes de distribución mensuales
361 apps/erpnext/erpnext/config/maintenance.py +12 Plan for maintenance visits. Plan para las visitas de mantenimiento.
362 SO Qty SO Cantidad
363 DocType: Shopping Cart Settings Quotation Series Serie Cotización
364 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60 New Customer Revenue Ingresos de nuevo cliente
375 apps/erpnext/erpnext/selling/doctype/customer/customer.py +167 apps/erpnext/erpnext/selling/doctype/customer/customer.py +170 Please contact to the user who have Sales Master Manager {0} role Por favor, póngase en contacto con el usuario con función de Gerente de Ventas {0}
376 DocType: Leave Block List Allow the following users to approve Leave Applications for block days. Permitir a los usuarios siguientes aprobar Solicitudes de ausencia en bloques de días.
377 DocType: Purchase Invoice Item Net Rate Tasa neta
378 DocType: Purchase Taxes and Charges Reference Row # Referencia Fila #
379 DocType: Employee Internal Work History Employee Internal Work History Historial de Trabajo Interno del Empleado
380 DocType: Employee Salary Mode Modo de Salario
381 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22 Please enter parent cost center Por favor, ingrese el centro de costos maestro
489 apps/erpnext/erpnext/hooks.py +125 apps/erpnext/erpnext/hooks.py +129 Issues Problemas
490 DocType: BOM Update Tool Current BOM Lista de materiales actual
491 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75 Row # {0}: Fila # {0}:
492 DocType: Timesheet % Amount Billed % Monto Facturado
493 DocType: BOM Manage cost of operations Administrar el costo de las operaciones
494 DocType: Employee Company Email Correo de la compañía
495 apps/erpnext/erpnext/config/support.py +32 Single unit of an Item. Números de serie únicos para cada producto
577 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +219 Stock Options Opciones sobre Acciones
578 DocType: Account Receivable Cuenta por Cobrar
579 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32 Opportunity From field is mandatory El campo 'Oportunidad de' es obligatorio
580 DocType: Sales Partner Reseller Reseller
581 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29 -Above -Mayor
582 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109 Office Maintenance Expenses Gastos de Mantenimiento de Oficinas
583 DocType: BOM Manufacturing Producción
585 apps/erpnext/erpnext/public/js/setup_wizard.js +247 DocType: Leave Control Panel Rate (%) Leave Control Panel Procentaje (% ) Salir del Panel de Control
586 DocType: Leave Control Panel DocType: Monthly Distribution Percentage Leave Control Panel Percentage Allocation Salir del Panel de Control Porcentaje de asignación de
587 DocType: Monthly Distribution Percentage DocType: Shipping Rule Condition Percentage Allocation Shipping Amount Porcentaje de asignación de Importe del envío
DocType: Shipping Rule Condition Shipping Amount Importe del envío
588 apps/erpnext/erpnext/stock/doctype/item/item.py +46 Item Code is mandatory because Item is not automatically numbered El código del artículo es obligatorio porque el producto no se enumera automáticamente
589 DocType: Sales Invoice Item Sales Order Item Articulo de la Solicitud de Venta
590 apps/erpnext/erpnext/config/stock.py +163 Incoming quality inspection. Inspección de calidad entrante
591 apps/erpnext/erpnext/public/js/setup_wizard.js +297 DocType: Sales Person List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start. Parent Sales Person Enumere algunos de los productos o servicios que usted compra o vende. asegúrese de revisar el 'Grupo' de los artículos, unidad de medida (UOM) y las demás propiedades. Contacto Principal de Ventas
592 DocType: Sales Person DocType: Warehouse Parent Sales Person Warehouse Contact Info Contacto Principal de Ventas Información de Contacto del Almacén
593 DocType: Warehouse DocType: Supplier Warehouse Contact Info Statutory info and other general information about your Supplier Información de Contacto del Almacén Información legal y otra información general acerca de su proveedor
DocType: Supplier Statutory info and other general information about your Supplier Información legal y otra información general acerca de su proveedor
594 apps/erpnext/erpnext/stock/doctype/item/item.py +397 Unit of Measure {0} has been entered more than once in Conversion Factor Table Unidad de Medida {0} se ha introducido más de una vez en la Tabla de Factores de Conversión
595 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +23 From Currency and To Currency cannot be same 'Desde Moneda' y 'A Moneda' no puede ser la misma
596 DocType: Shopping Cart Settings Default settings for Shopping Cart Ajustes por defecto para Compras
634 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39 Net Profit / Loss Utilidad/Pérdida Neta
635 DocType: Serial No Delivery Document No Entrega del documento No
636 DocType: Notification Control Notification Control Control de Notificación
637 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +121 Administrative Officer Oficial Administrativo
638 DocType: BOM Show In Website Mostrar En Sitio Web
639 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157 Bank Overdraft Account Cuenta de sobregiros
640 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542 Warning: Another {0} # {1} exists against stock entry {2} Existe otro {0} # {1} contra la entrada de población {2}: Advertencia
641 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48 'Update Stock' can not be checked because items are not delivered via {0} 'Actualizar Stock' no se puede marcar porque los productos no se entregan a través de {0}
642 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +64 Approval Status must be 'Approved' or 'Rejected' Estado de aprobación debe ser " Aprobado " o " Rechazado "
643 DocType: Employee Holiday List Lista de Feriados
644 DocType: Selling Settings Settings for Selling Module Ajustes para vender Módulo
645 apps/erpnext/erpnext/public/js/setup_wizard.js +100 apps/erpnext/erpnext/public/js/setup_wizard.js +110 e.g. "Build tools for builders" por ejemplo " Herramientas para los Constructores "
647 DocType: Purchase Invoice Taxes and Charges Deducted Impuestos y Gastos Deducidos
648 DocType: Production Order Operation Actual Time and Cost Tiempo y costo actual
649 DocType: Appraisal HR User Usuario Recursos Humanos
650 DocType: Purchase Invoice Unpaid No pagado
651 DocType: Production Planning Tool Create Material Requests Crear Solicitudes de Material
652 DocType: Purchase Invoice Select the period when the invoice will be generated automatically Seleccione el período en que la factura se generará de forma automática
653 DocType: SMS Center All Sales Person Todos Ventas de Ventas
717 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75 Both Warehouse must belong to same Company Ambos almacenes deben pertenecer a una misma empresa
718 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132 Row # {0}: Cannot return more than {1} for Item {2} Fila # {0}: No se puede devolver más de {1} para el artículo {2}
719 DocType: Supplier Supplier of Goods or Services. Proveedor de Productos o Servicios.
720 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +119 Secretary Secretario
721 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +174 Lead must be set if Opportunity is made from Lead La Iniciativa se debe establecer si la oportunidad está hecha desde Iniciativas
722 DocType: Production Order Operation Operation completed for how many finished goods? La operación se realizó para la cantidad de productos terminados?
723 DocType: Rename Tool Type of document to rename. Tipo de documento para cambiar el nombre.
724 DocType: Leave Type Include holidays within leaves as leaves Incluir las vacaciones con ausencias, únicamente como ausencias
725 DocType: Accounts Settings Accounting entry frozen up to this date, nobody can do / modify entry except role specified below. Asiento contable congelado actualmente ; nadie puede modificar el asiento excepto el rol que se especifica a continuación .
726 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150 Duties and Taxes Derechos e Impuestos
727 apps/erpnext/erpnext/config/manufacturing.py +46 Tree of Bill of Materials Árbol de la lista de materiales
728 DocType: BOM Manufacturing User Usuario de Manufactura
729 Profit and Loss Statement Estado de Pérdidas y Ganancias
730 DocType: Item Supplier Item Supplier Proveedor del Artículo
767 apps/erpnext/erpnext/stock/doctype/batch/batch.py +37 The selected item cannot have Batch El elemento seleccionado no puede tener lotes
768 DocType: Account Setting Account Type helps in selecting this Account in transactions. Ajuste del tipo de cuenta le ayuda en la selección de esta cuenta en las transacciones.
769 apps/erpnext/erpnext/hr/doctype/employee/employee.py +144 User {0} is already assigned to Employee {1} El usuario {0} ya está asignado a Empleado {1}
770 DocType: Account Expenses Included In Valuation Gastos dentro de la valoración
771 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57 New Customers Clientes Nuevos
772 DocType: Purchase Invoice Total Taxes and Charges (Company Currency) Total Impuestos y Cargos (Moneda Local)
773 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94 Piecework Pieza de trabajo
777 DocType: Serial No Creation Document Type Tipo de creación de documentos
778 DocType: Supplier Quotation Item Prevdoc DocType DocType Prevdoc
779 DocType: Student Attendance Tool Batch Lotes de Producto
780 DocType: BOM Update Tool The BOM which will be replaced La Solicitud de Materiales que será sustituida
781 DocType: Purchase Invoice The day of the month on which auto invoice will be generated e.g. 05, 28 etc El día del mes en el que se generará factura automática por ejemplo 05, 28, etc.
782 apps/erpnext/erpnext/accounts/doctype/account/account.py +101 Account with child nodes cannot be set as ledger La Cuenta con subcuentas no puede convertirse en libro de diario.
783 Stock Projected Qty Cantidad de Inventario Proyectada
790 DocType: Timesheet Detail apps/erpnext/erpnext/public/js/templates/address_list.html +20 To Time No address added yet. Para Tiempo No se ha añadido ninguna dirección todavía.
791 apps/erpnext/erpnext/public/js/templates/address_list.html +20 No address added yet. Terretory No se ha añadido ninguna dirección todavía. Territorios
792 DocType: Naming Series Terretory Series List for this Transaction Territorios Lista de series para esta transacción
DocType: Naming Series Series List for this Transaction Lista de series para esta transacción
793 DocType: Item Attribute Value This will be appended to the Item Code of the variant. For example, if your abbreviation is "SM", and the item code is "T-SHIRT", the item code of the variant will be "T-SHIRT-SM" Esto se añade al Código del Artículo de la variante. Por ejemplo, si su abreviatura es "SM", y el código del artículo es "CAMISETA", el código de artículo de la variante será "CAMISETA-SM"
794 DocType: Project Total Billing Amount (via Time Logs) Monto total de facturación (a través de los registros de tiempo)
795 DocType: Workstation Wages Salario
796 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196 Outstanding for {0} cannot be less than zero ({1}) Sobresaliente para {0} no puede ser menor que cero ({1} )
797 DocType: Appraisal Goal Appraisal Goal Evaluación Meta
869 Territory Target Variance Item Group-Wise Variación de Grupo por Territorio Objetivo
870 DocType: BOM Item to be manufactured or repacked Artículo a fabricar o embalados de nuevo
871 DocType: Purchase Order Supply Raw Materials Suministro de Materias Primas
872 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31 Supplier Type / Supplier Tipo de Proveedor / Proveedor
873 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51 Warehouse can not be deleted as stock ledger entry exists for this warehouse. Almacén no se puede suprimir porque hay una entrada en registro de inventario para este almacén.
874 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +26 Current BOM and New BOM can not be same Solicitud de Materiales actual y Nueva Solicitud de Materiales no pueden ser iguales
875 DocType: Account Stock Existencias
1021 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81 The Item {0} cannot have Batch El artículo {0} no puede tener lotes
1022 DocType: Employee Leave Approver Users who can approve a specific employee's leave applications Los usuarios que pueden aprobar las solicitudes de licencia de un empleado específico
1023 apps/erpnext/erpnext/config/manufacturing.py +18 Generate Material Requests (MRP) and Production Orders. Generar Solicitudes de Material ( MRP ) y Órdenes de Producción .
1024 apps/erpnext/erpnext/config/stock.py +27 Requests for items. Listado de solicitudes de productos
1025 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177 For Quantity (Manufactured Qty) is mandatory Por Cantidad (Cantidad fabricada) es obligatorio
1026 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +555 cannot be greater than 100 No puede ser mayor que 100
1027 DocType: Maintenance Visit Customer Feedback Comentarios del cliente
1055 apps/erpnext/erpnext/config/maintenance.py +17 Visit report for maintenance call. Informe de visita por llamada de mantenimiento .
1056 apps/erpnext/erpnext/config/selling.py +118 Manage Sales Person Tree. Vista en árbol para la administración de las categoría de vendedores
1057 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29 New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt El numero de serie no tiene almacén. el almacén debe establecerse por entradas de stock o recibos de compra
1058 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +82 Overlapping conditions found between: Condiciones coincidentes encontradas entre :
1059 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47 Please specify a valid 'From Case No.' Por favor, especifique 'Desde el caso No.' válido
1060 DocType: Process Payroll Make Bank Entry Hacer Entrada del Banco
1061 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793 Item or Warehouse for row {0} does not match Material Request Artículo o Bodega para la fila {0} no coincide Solicitud de material

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

View File

@ -33,7 +33,7 @@ DocType: Delivery Note,Return Against Delivery Note,חזור נגד תעודת
DocType: Purchase Order,% Billed,% שחויבו
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),שער החליפין חייב להיות זהה {0} {1} ({2})
DocType: Sales Invoice,Customer Name,שם לקוח
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},חשבון בנק לא יכול להיות שם בתור {0}
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +127,Bank account cannot be named as {0},חשבון בנק לא יכול להיות שם בתור {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,ראשים (או קבוצות) נגד שרישומים חשבונאיים נעשים ומתוחזקים יתרות.
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),יוצא מן הכלל עבור {0} אינם יכולים להיות פחות מאפס ({1})
DocType: Manufacturing Settings,Default 10 mins,ברירת מחדל 10 דקות
@ -48,7 +48,7 @@ DocType: SMS Center,All Supplier Contact,כל לתקשר עם הספק
apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,תאריך הסיום צפוי לא יכול להיות פחות מתאריך ההתחלה צפויה
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,# השורה {0}: שיעור חייב להיות זהה {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,החדש Leave Application
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,המחאה בנקאית
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +175,Bank Draft,המחאה בנקאית
DocType: Mode of Payment Account,Mode of Payment Account,מצב של חשבון תשלומים
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,גרסאות הצג
DocType: Academic Term,Academic Term,מונח אקדמי
@ -74,7 +74,7 @@ DocType: Delivery Note,Vehicle No,רכב לא
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,אנא בחר מחירון
DocType: Production Order Operation,Work In Progress,עבודה בתהליך
DocType: Employee,Holiday List,רשימת החג
apps/erpnext/erpnext/public/js/setup_wizard.js +216,Accountant,חשב
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:,קורס לוחות זמנים נוצרו:
@ -90,7 +90,7 @@ DocType: BOM,Operations,פעולות
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},לא ניתן להגדיר הרשאות על בסיס הנחה עבור {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","צרף קובץ csv עם שתי עמודות, אחת לשם הישן ואחד לשם החדש"
DocType: Packed Item,Parent Detail docname,docname פרט הורה
apps/erpnext/erpnext/public/js/setup_wizard.js +310,Kg,קילוגרם
apps/erpnext/erpnext/utilities/user_progress.py +100,Kg,קילוגרם
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,פתיחה לעבודה.
DocType: Item Attribute,Increment,תוספת
apps/erpnext/erpnext/public/js/stock_analytics.js +61,Select Warehouse...,בחר מחסן ...
@ -113,10 +113,10 @@ DocType: Lead,Person Name,שם אדם
DocType: Sales Invoice Item,Sales Invoice Item,פריט חשבונית מכירות
DocType: Account,Credit,אשראי
DocType: POS Profile,Write Off Cost Center,לכתוב את מרכז עלות
apps/erpnext/erpnext/public/js/setup_wizard.js +99,"e.g. ""Primary School"" or ""University""",למשל &quot;בית הספר היסודי&quot; או &quot;האוניברסיטה&quot;
apps/erpnext/erpnext/public/js/setup_wizard.js +109,"e.g. ""Primary School"" or ""University""",למשל &quot;בית הספר היסודי&quot; או &quot;האוניברסיטה&quot;
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,דוחות במלאי
DocType: Warehouse,Warehouse Detail,פרט מחסן
apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},מסגרת אשראי נחצתה ללקוחות {0} {1} / {2}
apps/erpnext/erpnext/selling/doctype/customer/customer.py +164,Credit limit has been crossed for customer {0} {1}/{2},מסגרת אשראי נחצתה ללקוחות {0} {1} / {2}
apps/erpnext/erpnext/stock/doctype/item/item.py +467,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","&quot;האם רכוש קבוע&quot; לא יכול להיות מסומן, כמו שיא נכסים קיים כנגד הפריט"
DocType: Tax Rule,Tax Type,סוג המס
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},אין לך ההרשאה להוסיף או עדכון ערכים לפני {0}
@ -152,13 +152,13 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qt
DocType: Expense Claim Detail,Claim Amount,סכום תביעה
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,סוג ספק / ספק
DocType: Naming Series,Prefix,קידומת
apps/erpnext/erpnext/public/js/setup_wizard.js +307,Consumable,מתכלה
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Consumable,מתכלה
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,יבוא יומן
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,משוך בקשת חומר של ייצור סוג בהתבסס על הקריטריונים לעיל
DocType: Sales Invoice Item,Delivered By Supplier,נמסר על ידי ספק
DocType: SMS Center,All Contact,כל הקשר
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Annual Salary,משכורת שנתית
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +215,Annual Salary,משכורת שנתית
DocType: Period Closing Voucher,Closing Fiscal Year,סגירת שנת כספים
apps/erpnext/erpnext/accounts/party.py +357,{0} {1} is frozen,{0} {1} הוא קפוא
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,הוצאות המניה
@ -172,7 +172,7 @@ DocType: Products Settings,Show Products as a List,הצג מוצרים כרשי
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","הורד את התבנית, למלא נתונים מתאימים ולצרף את הקובץ הנוכחי. כל שילוב התאריכים ועובדים בתקופה שנבחרה יבוא בתבנית, עם רישומי נוכחות קיימים"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,פריט {0} אינו פעיל או שהגיע הסוף של חיים
apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,דוגמה: מתמטיקה בסיסית
apps/erpnext/erpnext/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/config/hr.py +214,Settings for HR Module,הגדרות עבור מודול HR
DocType: SMS Center,SMS Center,SMS מרכז
@ -183,7 +183,7 @@ DocType: Appraisal Template Goal,KRA,KRA
DocType: Lead,Request Type,סוג הבקשה
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,הפוך שכיר
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,שידור
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,ביצוע
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Execution,ביצוע
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,פרטים של הפעולות שביצעו.
DocType: Serial No,Maintenance Status,מצב תחזוקה
apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,פריטים ותמחור
@ -231,7 +231,7 @@ 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/public/js/setup_wizard.js +267,Contact Name,שם איש קשר
apps/erpnext/erpnext/utilities/user_progress.py +46,Contact Name,שם איש קשר
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,יוצר תלוש משכורת לקריטריונים שהוזכרו לעיל.
DocType: Cheque Print Template,Line spacing for amount in words,מרווח בין שורות עבור הסכום במילים
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,אין תיאור נתון
@ -239,10 +239,10 @@ apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,בקש לרכי
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,זה מבוסס על פחי הזמנים נוצרו נגד הפרויקט הזה
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,רק המאשר Leave נבחר יכול להגיש בקשה זו החופשה
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,להקלה על התאריך חייבת להיות גדולה מ תאריך ההצטרפות
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +201,Leaves per Year,עלים בכל שנה
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +223,Leaves per Year,עלים בכל שנה
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,שורת {0}: בדוק את 'האם Advance' נגד חשבון {1} אם זה כניסה מראש.
apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},מחסן {0} אינו שייך לחברת {1}
apps/erpnext/erpnext/public/js/setup_wizard.js +311,Litre,לִיטר
apps/erpnext/erpnext/utilities/user_progress.py +101,Litre,לִיטר
DocType: Task,Total Costing Amount (via Time Sheet),סה&quot;כ תמחיר הסכום (באמצעות גיליון זמן)
DocType: Item Website Specification,Item Website Specification,מפרט אתר פריט
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,השאר חסימה
@ -253,9 +253,9 @@ DocType: Stock Reconciliation Item,Stock Reconciliation Item,פריט במלאי
DocType: Stock Entry,Sales Invoice No,מכירות חשבונית לא
DocType: Material Request Item,Min Order Qty,להזמין כמות מינימום
DocType: Lead,Do Not Contact,אל תצור קשר
apps/erpnext/erpnext/public/js/setup_wizard.js +361,People who teach at your organisation,אנשים המלמדים בארגון שלך
apps/erpnext/erpnext/utilities/user_progress.py +164,People who teach at your organisation,אנשים המלמדים בארגון שלך
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Id הייחודי למעקב אחר כל החשבוניות חוזרות. הוא נוצר על שליחה.
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,מפתח תוכנה
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +126,Software Developer,מפתח תוכנה
DocType: Item,Minimum Order Qty,להזמין כמות מינימום
DocType: Pricing Rule,Supplier Type,סוג ספק
DocType: Course Scheduling Tool,Course Start Date,תאריך פתיחת הקורס
@ -340,7 +340,7 @@ apps/erpnext/erpnext/accounts/party.py +246,There can only be 1 Account per Comp
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +402,Please see attachment,אנא ראה קובץ מצורף
DocType: Purchase Order,% Received,% התקבל
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,יצירת קבוצות סטודנטים
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,התקנה כבר מלא !!
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +22,Setup Already Complete!!,התקנה כבר מלא !!
,Finished Goods,מוצרים מוגמרים
DocType: Delivery Note,Instructions,הוראות
DocType: Quality Inspection,Inspected By,נבדק על ידי
@ -384,7 +384,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli
DocType: Assessment Plan,Examiner Name,שם הבודק
DocType: Purchase Invoice Item,Quantity and Rate,כמות ושיעור
DocType: Delivery Note,% Installed,% מותקן
apps/erpnext/erpnext/public/js/setup_wizard.js +376,Classrooms/ Laboratories etc where lectures can be scheduled.,כיתות / מעבדות וכו שבו הרצאות ניתן לתזמן.
apps/erpnext/erpnext/utilities/user_progress.py +184,Classrooms/ Laboratories etc where lectures can be scheduled.,כיתות / מעבדות וכו שבו הרצאות ניתן לתזמן.
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,אנא ראשון להזין את שם חברה
DocType: Purchase Invoice,Supplier Name,שם ספק
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,לקרוא את מדריך ERPNext
@ -392,7 +392,7 @@ DocType: Account,Is Group,קבוצה
DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,הגדר סידורי מס באופן אוטומטי על בסיס FIFO
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,ספק בדוק חשבונית מספר הייחוד
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.',"""למקרה מס ' לא יכול להיות פחות מ 'מתיק מס' '"
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,ללא כוונת רווח
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +137,Non Profit,ללא כוונת רווח
DocType: Production Order,Not Started,לא התחיל
DocType: Lead,Channel Partner,Channel Partner
DocType: Account,Old Parent,האם ישן
@ -428,10 +428,10 @@ DocType: Customer,Buyer of Goods and Services.,קונה של מוצרים ושי
DocType: Journal Entry,Accounts Payable,חשבונות לתשלום
apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +30,The selected BOMs are not for the same item,בומס שנבחר אינו תמורת אותו הפריט
DocType: Pricing Rule,Valid Upto,Upto חוקי
apps/erpnext/erpnext/public/js/setup_wizard.js +257,List a few of your customers. They could be organizations or individuals.,רשימה כמה מהלקוחות שלך. הם יכולים להיות ארגונים או יחידים.
apps/erpnext/erpnext/utilities/user_progress.py +39,List a few of your customers. They could be organizations or individuals.,רשימה כמה מהלקוחות שלך. הם יכולים להיות ארגונים או יחידים.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,הכנסה ישירה
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","לא יכול לסנן על פי חשבון, אם מקובצים לפי חשבון"
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,קצין מנהלי
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +121,Administrative Officer,קצין מנהלי
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +342,Please select Company,אנא בחר חברה
DocType: Stock Entry Detail,Difference Account,חשבון הבדל
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,לא יכולה לסגור משימה כמשימה התלויה {0} אינה סגורה.
@ -516,7 +516,7 @@ DocType: Purchase Order Item,Billed Amt,Amt שחויב
DocType: Warehouse,A logical Warehouse against which stock entries are made.,מחסן לוגי שנגדו מרשמו רשומות מלאי
DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,גליון חשבונית מכירות
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +118,Reference No & Reference Date is required for {0},התייחסות לא & תאריך הפניה נדרש עבור {0}
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,כתיבת הצעה
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +181,Proposal Writing,כתיבת הצעה
DocType: Payment Entry Deduction,Payment Entry Deduction,ניכוי קליט הוצאות
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,אדם אחר מכירות {0} קיים עם אותו זיהוי העובד
apps/erpnext/erpnext/config/accounts.py +80,Masters,תואר שני
@ -541,7 +541,7 @@ DocType: Maintenance Schedule,Maintenance Schedule,לוח זמנים תחזוק
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","חוקים ואז תמחור מסוננים החוצה על בסיס לקוחות, קבוצת לקוחות, טריטוריה, ספק, סוג של ספק, המבצע, שותף מכירות וכו '"
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,שינוי נטו במלאי
DocType: Employee,Passport Number,דרכון מספר
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,מנהל
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Manager,מנהל
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'מבוסס על-Based On' ו-'מקובץ על ידי-Group By' אינם יכולים להיות זהים.
DocType: Sales Person,Sales Person Targets,מטרות איש מכירות
DocType: Installation Note,IN-,In-
@ -587,7 +587,7 @@ apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +84,Please enter ite
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,קדם מכירות
DocType: Purchase Receipt,Other Details,פרטים נוספים
DocType: Account,Accounts,חשבונות
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,שיווק
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}
@ -684,7 +684,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Per
DocType: Company,Default Bank Account,חשבון בנק ברירת מחדל
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","כדי לסנן מבוסס על המפלגה, מפלגה בחר את הסוג ראשון"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"לא ניתן לבדוק את &quot;מלאי עדכון &#39;, כי פריטים אינם מועברים באמצעות {0}"
apps/erpnext/erpnext/public/js/setup_wizard.js +310,Nos,מס
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} יש להגיש
@ -735,7 +735,7 @@ DocType: Notification Control,Delivery Note Message,מסר תעודת משלוח
DocType: Expense Claim,Expenses,הוצאות
DocType: Item Variant Attribute,Item Variant Attribute,תכונה Variant פריט
,Purchase Receipt Trends,מגמות קבלת רכישה
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,מחקר ופיתוח
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +110,Research & Development,מחקר ופיתוח
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,הסכום להצעת החוק
DocType: Company,Registration Details,פרטי רישום
DocType: Item Reorder,Re-Order Qty,Re-להזמין כמות
@ -759,7 +759,7 @@ DocType: Purchase Invoice Item,Rejected Qty,נדחה כמות
DocType: Salary Slip,Working Days,ימי עבודה
DocType: Serial No,Incoming Rate,שערי נכנסים
DocType: Packing Slip,Gross Weight,משקל ברוטו
apps/erpnext/erpnext/public/js/setup_wizard.js +92,The name of your company for which you are setting up this system.,שמה של החברה שלך שאתה מגדיר את המערכת הזאת.
apps/erpnext/erpnext/public/js/setup_wizard.js +102,The name of your company for which you are setting up this system.,שמה של החברה שלך שאתה מגדיר את המערכת הזאת.
DocType: HR Settings,Include holidays in Total no. of Working Days,כולל חגים בסך הכל לא. ימי עבודה
DocType: Job Applicant,Hold,החזק
DocType: Employee,Date of Joining,תאריך ההצטרפות
@ -803,7 +803,7 @@ DocType: Mode of Payment Account,Default Bank / Cash account will be automatical
DocType: Lead,LEAD-,עוֹפֶרֶת-
DocType: Employee,Permanent Address Is,כתובת קבע
DocType: Production Order Operation,Operation completed for how many finished goods?,מבצע הושלם לכמה מוצרים מוגמרים?
apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,המותג
apps/erpnext/erpnext/public/js/setup_wizard.js +46,The Brand,המותג
DocType: Employee,Exit Interview Details,פרטי ראיון יציאה
DocType: Item,Is Purchase Item,האם פריט הרכישה
DocType: Asset,Purchase Invoice,רכישת חשבוניות
@ -840,13 +840,13 @@ apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +30,"Row {0}: Invoice {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0}: Payment against Sales/Purchase Order should always be marked as advance,שורת {0}: תשלום נגד מכירות / הזמנת רכש תמיד צריך להיות מסומן כמראש
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,כימיה
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,כל הפריטים כבר הועברו להזמנת ייצור זה.
apps/erpnext/erpnext/public/js/setup_wizard.js +311,Meter,מטר
apps/erpnext/erpnext/utilities/user_progress.py +101,Meter,מטר
DocType: Workstation,Electricity Cost,עלות חשמל
DocType: HR Settings,Don't send Employee Birthday Reminders,אל תשלחו לעובדי יום הולדת תזכורות
DocType: Item,Inspection Criteria,קריטריונים לבדיקה
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,הועבר
apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,העלה ראש המכתב ואת הלוגו שלך. (אתה יכול לערוך אותם מאוחר יותר).
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,לבן
apps/erpnext/erpnext/public/js/setup_wizard.js +47,Upload your letter head and logo. (you can edit them later).,העלה ראש המכתב ואת הלוגו שלך. (אתה יכול לערוך אותם מאוחר יותר).
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +199,White,לבן
DocType: SMS Center,All Lead (Open),כל הלידים (פתוח)
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),שורה {0}: כמות אינה זמינה עבור {4} במחסן {1} בכל שעת הפרסום של כניסה ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,קבלו תשלום מקדמות
@ -860,7 +860,7 @@ apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_
DocType: Student Batch Name,Student Batch Name,שם תצווה סטודנטים
DocType: Holiday List,Holiday List Name,שם רשימת החג
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,קורס לו&quot;ז
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Stock Options,אופציות
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +219,Stock Options,אופציות
DocType: Journal Entry Account,Expense Claim,תביעת הוצאות
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,האם אתה באמת רוצה לשחזר נכס לגרוטאות זה?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},כמות עבור {0}
@ -920,7 +920,7 @@ DocType: Sales Person,Select company name first.,שם חברה בחר ראשון
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,ציטוטים המתקבלים מספקים.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},כדי {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,גיל ממוצע
apps/erpnext/erpnext/public/js/setup_wizard.js +277,List a few of your suppliers. They could be organizations or individuals.,רשימה כמה מהספקים שלך. הם יכולים להיות ארגונים או יחידים.
apps/erpnext/erpnext/utilities/user_progress.py +64,List a few of your suppliers. They could be organizations or individuals.,רשימה כמה מהספקים שלך. הם יכולים להיות ארגונים או יחידים.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,הצג את כל המוצרים
DocType: Company,Default Currency,מטבע ברירת מחדל
DocType: Expense Claim,From Employee,מעובדים
@ -958,7 +958,7 @@ apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,מאזן ח
DocType: Sales Invoice Advance,Sales Invoice Advance,מכירות חשבונית מראש
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,שום דבר לא לבקש
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date','תאריך התחלה בפועל' לא יכול להיות גדול מ 'תאריך סיום בפועל'
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,ניהול
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Management,ניהול
DocType: Cheque Print Template,Payer Settings,גדרות משלמות
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","זה יצורף לקוד הפריט של הגרסה. לדוגמא, אם הקיצור שלך הוא ""SM"", ואת קוד הפריט הוא ""T-shirt"", קוד הפריט של הגרסה יהיה ""T-shirt-SM"""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,חבילת נקי (במילים) תהיה גלויה ברגע שאתה לשמור את תלוש המשכורת.
@ -999,7 +999,7 @@ apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,הגדרת עובד
DocType: Sales Order,SO-,כך-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +153,Please select prefix first,אנא בחר תחילה קידומת
DocType: Employee,O-,O-
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,מחקר
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +180,Research,מחקר
DocType: Maintenance Visit Purpose,Work Done,מה נעשה
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,ציין מאפיין אחד לפחות בטבלת התכונות
DocType: Announcement,All Students,כל הסטודנטים
@ -1007,7 +1007,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +45,Item {0} must be a non-
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/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,שאר העולם
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,תקציב שונות דווח
DocType: Salary Slip,Gross Pay,חבילת גרוס
@ -1027,7 +1027,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar
,Employee Leave Balance,עובד חופשת מאזן
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},מאזן לחשבון {0} חייב תמיד להיות {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},דרג הערכה הנדרשים פריט בשורת {0}
apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Masters in Computer Science,דוגמה: שני במדעי המחשב
apps/erpnext/erpnext/utilities/user_progress.py +123,Example: Masters in Computer Science,דוגמה: שני במדעי המחשב
DocType: Purchase Invoice,Rejected Warehouse,מחסן שנדחו
DocType: GL Entry,Against Voucher,נגד שובר
DocType: Item,Default Buying Cost Center,מרכז עלות רכישת ברירת מחדל
@ -1038,10 +1038,10 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},אינך רשאי לערוך חשבון קפוא {0}
DocType: Journal Entry,Get Outstanding Invoices,קבל חשבוניות מצטיינים
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,להזמין מכירות {0} אינו חוקי
apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","מצטער, לא ניתן למזג חברות"
apps/erpnext/erpnext/setup/doctype/company/company.py +222,"Sorry, companies cannot be merged","מצטער, לא ניתן למזג חברות"
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",כמות הנפקה / ההעברה הכולל {0} ב בקשת חומר {1} \ לא יכולה להיות גדולה מ כמות מבוקשת {2} עבור פריט {3}
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,קטן
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Small,קטן
DocType: Employee,Employee Number,מספר עובדים
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},מקרה לא (ים) כבר בשימוש. נסה מקייס לא {0}
DocType: Project,% Completed,% הושלם
@ -1051,14 +1051,14 @@ DocType: Supplier,SUPP-,SUPP-
DocType: Item,Auto re-order,רכב מחדש כדי
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,"סה""כ הושג"
DocType: Employee,Place of Issue,מקום ההנפקה
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,חוזה
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Contract,חוזה
DocType: Email Digest,Add Quote,להוסיף ציטוט
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},גורם coversion של אוני 'מישגן נדרש לאונים' מישגן: {0} בפריט: {1}
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,הוצאות עקיפות
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,שורת {0}: הכמות היא חובה
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,חקלאות
apps/erpnext/erpnext/accounts/page/pos/pos.js +750,Sync Master Data,Sync Master Data
apps/erpnext/erpnext/public/js/setup_wizard.js +296,Your Products or Services,המוצרים או השירותים שלך
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,תמונה: אתר אינטרנט צריכה להיות קובץ ציבורי או כתובת אתר אינטרנט
DocType: Purchase Invoice Item,BOM,BOM
@ -1107,11 +1107,11 @@ DocType: Sales Partner,Agent,סוכן
DocType: Purchase Invoice,Taxes and Charges Calculation,חישוב מסים וחיובים
DocType: BOM Operation,Workstation,Workstation
DocType: Request for Quotation Supplier,Request for Quotation Supplier,בקשה להצעת מחיר הספק
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,חומרה
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +145,Hardware,חומרה
DocType: Sales Order,Recurring Upto,Upto חוזר
DocType: Attendance,HR Manager,מנהל משאבי אנוש
apps/erpnext/erpnext/accounts/party.py +175,Please select a Company,אנא בחר חברה
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,זכות Leave
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Privilege Leave,זכות Leave
DocType: Purchase Invoice,Supplier Invoice Date,תאריך חשבונית ספק
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,אתה צריך לאפשר סל קניות
DocType: Payment Entry,Writeoff,מחיקת חוב
@ -1185,7 +1185,7 @@ DocType: GL Entry,GL Entry,GL כניסה
DocType: HR Settings,Employee Settings,הגדרות עובד
,Batch-Wise Balance History,אצווה-Wise היסטוריה מאזן
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,הגדרות הדפסה עודכנו מודפסות בהתאמה
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,Apprentice
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Apprentice,Apprentice
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,כמות שלילית אינה מותרת
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges",שולחן פירוט מס לכת מהפריט שני כמחרוזת ומאוחסן בתחום זה. משמש למסים וחיובים
@ -1197,12 +1197,11 @@ DocType: Job Opening,"Job profile, qualifications required etc.","פרופיל
DocType: Journal Entry Account,Account Balance,יתרת חשבון
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,כלל מס לעסקות.
DocType: Rename Tool,Type of document to rename.,סוג של מסמך כדי לשנות את השם.
apps/erpnext/erpnext/public/js/setup_wizard.js +316,We buy this Item,אנחנו קונים פריט זה
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),"סה""כ מסים וחיובים (מטבע חברה)"
DocType: Shipping Rule,Shipping Account,חשבון משלוח
DocType: Quality Inspection,Readings,קריאות
DocType: Stock Entry,Total Additional Costs,עלויות נוספות סה&quot;כ
apps/erpnext/erpnext/public/js/setup_wizard.js +307,Sub Assemblies,הרכבות תת
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Sub Assemblies,הרכבות תת
DocType: Asset,Asset Name,שם נכס
DocType: Shipping Rule Condition,To Value,לערך
DocType: Asset Movement,Stock Manager,ניהול מלאי
@ -1213,7 +1212,7 @@ apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,הגדרו
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,יבוא נכשל!
apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,אין כתובת הוסיפה עדיין.
DocType: Workstation Working Hour,Workstation Working Hour,Workstation עבודה שעה
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,אנליסט
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Analyst,אנליסט
DocType: Item,Inventory,מלאי
DocType: Item,Sales Details,פרטי מכירות
DocType: Quality Inspection,QI-,QI-
@ -1221,8 +1220,8 @@ DocType: Opportunity,With Items,עם פריטים
apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,בכמות
DocType: Notification Control,Expense Claim Rejected,תביעה נדחתה חשבון
DocType: Item,Item Attribute,תכונה פריט
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,ממשלה
apps/erpnext/erpnext/public/js/setup_wizard.js +55,Institute Name,שם המוסד
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +138,Government,ממשלה
apps/erpnext/erpnext/public/js/setup_wizard.js +59,Institute Name,שם המוסד
apps/erpnext/erpnext/config/stock.py +300,Item Variants,גרסאות פריט
DocType: Company,Services,שירותים
DocType: HR Settings,Email Salary Slip to Employee,תלוש משכורת דוא&quot;ל לאותו עובד
@ -1269,7 +1268,7 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim
DocType: Program Enrollment Tool,Program Enrollments,רשמות תכנית
DocType: Sales Invoice Item,Brand Name,שם מותג
DocType: Purchase Receipt,Transporter Details,פרטי Transporter
apps/erpnext/erpnext/public/js/setup_wizard.js +310,Box,תיבה
apps/erpnext/erpnext/utilities/user_progress.py +100,Box,תיבה
DocType: Budget,Monthly Distribution,בחתך חודשי
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,מקלט רשימה ריקה. אנא ליצור מקלט רשימה
DocType: Production Plan Sales Order,Production Plan Sales Order,הפקת תכנית להזמין מכירות
@ -1304,7 +1303,7 @@ DocType: Opportunity,Contact Mobile No,לתקשר נייד לא
DocType: Student Group,Set 0 for no limit,גדר 0 עבור שום מגבלה
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +141,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,היום (ים) שבו אתה מתראיין לחופשת חגים. אתה לא צריך להגיש בקשה לחופשה.
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +20,Resend Payment Email,שלח שוב דוא&quot;ל תשלום
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,הפוך הצעת מחיר
apps/erpnext/erpnext/utilities/activation.py +74,Make Quotation,הפוך הצעת מחיר
apps/erpnext/erpnext/config/selling.py +216,Other Reports,דוחות נוספים
DocType: Dependent Task,Dependent Task,משימה תלויה
apps/erpnext/erpnext/stock/doctype/item/item.py +402,Conversion factor for default Unit of Measure must be 1 in row {0},גורם המרה ליחידת ברירת מחדל של מדד חייב להיות 1 בשורה {0}
@ -1399,13 +1398,13 @@ DocType: Fee Category,Fee Category,קטגורית דמים
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,הפוך חשבונאות כניסה לכל מנית תנועה
DocType: Leave Allocation,Total Leaves Allocated,"סה""כ עלים מוקצבות"
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +159,Warehouse required at Row No {0},מחסן נדרש בשורה לא {0}
apps/erpnext/erpnext/public/js/setup_wizard.js +124,Please enter valid Financial Year Start and End Dates,נא להזין פיננסית בתוקף השנה תאריכי ההתחלה וסיום
apps/erpnext/erpnext/public/js/setup_wizard.js +134,Please enter valid Financial Year Start and End Dates,נא להזין פיננסית בתוקף השנה תאריכי ההתחלה וסיום
DocType: Employee,Date Of Retirement,מועד הפרישה
DocType: Upload Attendance,Get Template,קבל תבנית
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext ההתקנה הושלמה!
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +201,ERPNext Setup Complete!,ERPNext ההתקנה הושלמה!
DocType: Course Assessment Criteria,Weightage,Weightage
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"קבוצת לקוחות קיימת עם אותו שם, בבקשה לשנות את שם הלקוח או לשנות את שם קבוצת הלקוחות"
apps/erpnext/erpnext/selling/doctype/customer/customer.py +118,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"קבוצת לקוחות קיימת עם אותו שם, בבקשה לשנות את שם הלקוח או לשנות את שם קבוצת הלקוחות"
apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,איש קשר חדש
DocType: Territory,Parent Territory,טריטורית הורה
DocType: Quality Inspection Reading,Reading 2,קריאת 2
@ -1431,7 +1430,7 @@ DocType: Stock Reconciliation,Reconciliation JSON,הפיוס JSON
apps/erpnext/erpnext/accounts/report/financial_statements.html +3,Too many columns. Export the report and print it using a spreadsheet application.,יותר מדי עמודות. לייצא את הדוח ולהדפיס אותו באמצעות יישום גיליון אלקטרוני.
DocType: Purchase Invoice Item,Batch No,אצווה לא
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,לאפשר הזמנות ומכירות מרובות נגד הלקוח הזמנת הרכש
apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,ראשי
apps/erpnext/erpnext/setup/doctype/company/company.py +201,Main,ראשי
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Variant
DocType: Naming Series,Set prefix for numbering series on your transactions,קידומת להגדיר למספור סדרה על העסקות שלך
DocType: Employee Attendance Tool,Employees HTML,עובד HTML
@ -1473,10 +1472,9 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,פרי
DocType: Quotation Item,Actual Qty,כמות בפועל
DocType: Sales Invoice Item,References,אזכור
DocType: Quality Inspection Reading,Reading 10,קריאת 10
apps/erpnext/erpnext/public/js/setup_wizard.js +297,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","רשימת המוצרים שלך או שירותים שאתה לקנות או למכור. הקפד לבדוק את קבוצת הפריט, יחידת המידה ונכסים אחרים בעת ההפעלה."
DocType: Hub Settings,Hub Node,רכזת צומת
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,אתה נכנס פריטים כפולים. אנא לתקן ונסה שוב.
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,חבר
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Associate,חבר
DocType: Asset Movement,Asset Movement,תנועת נכסים
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,פריט {0} הוא לא פריט בהמשכים
DocType: SMS Center,Create Receiver List,צור מקלט רשימה
@ -1517,7 +1515,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +233,Fixed Asset Item must be a
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","תקציב לא ניתן להקצות כנגד {0}, כמו שזה לא חשבון הכנסה או הוצאה"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,הושג
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,שטח / לקוחות
apps/erpnext/erpnext/public/js/setup_wizard.js +247,e.g. 5,לדוגמא 5
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},{0} שורה: סכום שהוקצה {1} חייב להיות פחות מ או שווה לסכום חשבונית מצטיין {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,במילים יהיו גלוי ברגע שאתה לשמור את חשבונית המכירות.
DocType: Item,Is Sales Item,האם פריט מכירות
@ -1525,7 +1522,6 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree,
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,פריט {0} הוא לא התקנה למס סידורי. בדוק אדון פריט
DocType: Maintenance Visit,Maintenance Time,תחזוקת זמן
,Amount to Deliver,הסכום לאספקת
apps/erpnext/erpnext/public/js/setup_wizard.js +304,A Product or Service,מוצר או שירות
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/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} נוצר
@ -1589,7 +1585,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing R
DocType: Task,Total Billing Amount (via Time Sheet),סכום לחיוב סה&quot;כ (דרך הזמן גיליון)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,הכנסות לקוח חוזרות
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +175,{0} ({1}) must have role 'Expense Approver',{0} ({1}) חייב להיות 'מאשר מהוצאות' תפקיד
apps/erpnext/erpnext/public/js/setup_wizard.js +310,Pair,זוג
apps/erpnext/erpnext/utilities/user_progress.py +100,Pair,זוג
DocType: Asset,Depreciation Schedule,בתוספת פחת
DocType: Bank Reconciliation Detail,Against Account,נגד חשבון
DocType: Maintenance Schedule Detail,Actual Date,תאריך בפועל
@ -1619,17 +1615,17 @@ DocType: Production Order,Use Multi-Level BOM,השתמש Multi-Level BOM
DocType: Bank Reconciliation,Include Reconciled Entries,כוללים ערכים מפוייס
DocType: Leave Control Panel,Leave blank if considered for all employee types,שאר ריק אם נחשב לכל סוגי העובדים
DocType: Landed Cost Voucher,Distribute Charges Based On,חיובים להפיץ מבוסס על
apps/erpnext/erpnext/hooks.py +128,Timesheets,גליונות
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, כפריט הוא נכס קבוע. השתמש בשורה נפרדת עבור כמות מרובה."
DocType: Leave Block List Allow,Leave Block List Allow,השאר בלוק רשימה אפשר
apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr לא יכול להיות ריק או חלל
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,קבוצה לקבוצה ללא
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,ספורט
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,"סה""כ בפועל"
apps/erpnext/erpnext/public/js/setup_wizard.js +310,Unit,יחידה
apps/erpnext/erpnext/utilities/user_progress.py +100,Unit,יחידה
apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,נא לציין את החברה
,Customer Acquisition and Loyalty,לקוחות רכישה ונאמנות
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,מחסן שבו אתה שומר מלאי של פריטים דחו
@ -1669,7 +1665,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +208,Warning: Invalid SSL certif
DocType: Production Order Operation,Actual Operation Time,בפועל מבצע זמן
DocType: Authorization Rule,Applicable To (User),כדי ישים (משתמש)
DocType: Purchase Taxes and Charges,Deduct,לנכות
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +199,Job Description,תיאור התפקיד
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +221,Job Description,תיאור התפקיד
DocType: Student Applicant,Applied,אפלייד
DocType: Sales Invoice Item,Qty as per Stock UOM,כמות כמו לכל בורסה של אוני 'מישגן
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +127,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","תווים מיוחדים מלבד ""-"" ""."", ""#"", ו"" / ""אסור בשמות סדרה"
@ -1680,7 +1676,7 @@ DocType: Appraisal,Calculate Total Score,חישוב ציון הכולל
DocType: Request for Quotation,Manufacturing Manager,ייצור מנהל
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},מספר סידורי {0} הוא תחת אחריות upto {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,תעודת משלוח פצל לחבילות.
apps/erpnext/erpnext/hooks.py +94,Shipments,משלוחים
apps/erpnext/erpnext/hooks.py +98,Shipments,משלוחים
DocType: Payment Entry,Total Allocated Amount (Company Currency),הסכום כולל שהוקצה (חברת מטבע)
DocType: Purchase Order Item,To be delivered to customer,שיימסר ללקוח
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,מספר סידורי {0} אינו שייך לכל מחסן
@ -1714,7 +1710,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +12,Banking,בנקאו
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,אנא לחץ על 'צור לוח זמנים' כדי לקבל לוח זמנים
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,היו שגיאות בעת מחיקת לוחות הזמנים הבאים:
DocType: Bin,Ordered Quantity,כמות מוזמנת
apps/erpnext/erpnext/public/js/setup_wizard.js +100,"e.g. ""Build tools for builders""","לדוגמא: ""לבנות כלים לבונים"""
apps/erpnext/erpnext/public/js/setup_wizard.js +110,"e.g. ""Build tools for builders""","לדוגמא: ""לבנות כלים לבונים"""
DocType: Production Order,In Process,בתהליך
DocType: Authorization Rule,Itemwise Discount,Itemwise דיסקונט
apps/erpnext/erpnext/config/accounts.py +69,Tree of financial accounts.,עץ חשבונות כספיים.
@ -1727,7 +1723,7 @@ apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_re
apps/erpnext/erpnext/controllers/accounts_controller.py +566,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 +92,CEO,מנכ&quot;ל
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,CEO,מנכ&quot;ל
DocType: Expense Claim Detail,Expense Claim Detail,פרטי תביעת חשבון
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,אנא בחר חשבון נכון
DocType: Item,Weight UOM,המשקל של אוני 'מישגן
@ -1740,7 +1736,7 @@ DocType: Purchase Invoice Item,Qty,כמות
DocType: Fiscal Year,Companies,חברות
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,אלקטרוניקה
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,להעלות בקשת חומר כאשר המלאי מגיע לרמה מחדש כדי
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,משרה מלאה
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +89,Full-time,משרה מלאה
DocType: Employee,Contact Details,פרטי
DocType: C-Form,Received Date,תאריך קבלה
DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","אם יצרת תבנית סטנדרטית בתבנית מסים מכירות וחיובים, בחר אחד ולחץ על הכפתור למטה."
@ -1831,12 +1827,11 @@ 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 +982,Please set recurring after saving,אנא קבע חוזר לאחר השמירה
apps/erpnext/erpnext/public/js/controllers/transaction.js +993,Please set recurring after saving,אנא קבע חוזר לאחר השמירה
DocType: Purchase Invoice,Price List Currency,מטבע מחירון
DocType: Naming Series,User must always select,משתמש חייב תמיד לבחור
DocType: Stock Settings,Allow Negative Stock,אפשר מלאי שלילי
DocType: Installation Note,Installation Note,הערה התקנה
apps/erpnext/erpnext/public/js/setup_wizard.js +237,Add Taxes,להוסיף מסים
DocType: Topic,Topic,נוֹשֵׂא
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,תזרים מזומנים ממימון
DocType: Budget Account,Budget Account,חשבון תקציב
@ -1862,7 +1857,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py +268,Specified BOM {0} doe
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,לוח זמנים תחזוקת {0} יש לבטל לפני ביטול הזמנת מכירות זה
DocType: Notification Control,Expense Claim Approved,תביעת הוצאות שאושרה
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +319,Salary Slip of employee {0} already created for this period,תלוש משכורת של עובד {0} נוצר כבר בתקופה זו
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,תרופות
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Pharmaceutical,תרופות
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,עלות של פריטים שנרכשו
DocType: Selling Settings,Sales Order Required,סדר הנדרש מכירות
DocType: Purchase Invoice,Credit To,אשראי ל
@ -1879,7 +1874,7 @@ 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/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,שינוי נטו בחשבונות חייבים
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Off המפצה
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.,אנא ודא שאתה באמת רוצה למחוק את כל העסקות לחברה זו. נתוני אביך יישארו כפי שהוא. לא ניתן לבטל פעולה זו.
@ -1899,7 +1894,7 @@ apps/erpnext/erpnext/config/stock.py +27,Requests for items.,בקשות לפרי
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,הזמנת ייצור נפרדת תיווצר לכל פריט טוב מוגמר.
,Minutes to First Response for Issues,דקות התגובה ראשונה לעניינים
DocType: Purchase Invoice,Terms and Conditions1,תנאים וConditions1
apps/erpnext/erpnext/public/js/setup_wizard.js +91,The name of the institute for which you are setting up this system.,שמו של המכון אשר אתה מגדיר מערכת זו.
apps/erpnext/erpnext/public/js/setup_wizard.js +101,The name of the institute for which you are setting up this system.,שמו של המכון אשר אתה מגדיר מערכת זו.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","כניסת חשבונאות קפואה עד למועד זה, אף אחד לא יכול לעשות / לשנות כניסה מלבד התפקיד שיפורט להלן."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,אנא שמור את המסמך לפני יצירת לוח זמנים תחזוקה
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,סטטוס פרויקט
@ -2063,12 +2058,12 @@ DocType: Employee,Relieving Date,תאריך להקלה
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","כלל תמחור נעשה כדי לדרוס מחיר מחירון / להגדיר אחוז הנחה, המבוסס על כמה קריטריונים."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,מחסן ניתן לשנות רק באמצעות צילומים כניסה / תעודת משלוח / קבלת רכישה
DocType: Employee Education,Class / Percentage,כיתה / אחוז
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,ראש אגף השיווק ומכירות
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,מס הכנסה
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +125,Head of Marketing and Sales,ראש אגף השיווק ומכירות
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 +1083,Please enter Item Code to get batch no,נא להזין את קוד פריט כדי לקבל אצווה לא
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/config/selling.py +46,All Addresses.,כל הכתובות.
DocType: Company,Stock Settings,הגדרות מניות
@ -2081,7 +2076,7 @@ DocType: Leave Control Panel,Leave Control Panel,השאר לוח הבקרה
apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,לא במלאי
DocType: Appraisal,HR User,משתמש HR
DocType: Purchase Invoice,Taxes and Charges Deducted,מסים והיטלים שנוכה
apps/erpnext/erpnext/hooks.py +125,Issues,נושאים
apps/erpnext/erpnext/hooks.py +129,Issues,נושאים
apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},מצב חייב להיות אחד {0}
DocType: Sales Invoice,Debit To,חיוב ל
DocType: Delivery Note,Required only for sample item.,נדרש רק עבור פריט מדגם.
@ -2090,16 +2085,16 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,כמות בפועל ל
apps/erpnext/erpnext/accounts/party.py +353,{0} {1} is disabled,{0} {1} מושבתת
DocType: Supplier,Billing Currency,מטבע חיוב
DocType: Sales Invoice,SINV-RET-,SINV-RET-
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,גדול במיוחד
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Extra Large,גדול במיוחד
,Profit and Loss Statement,דוח רווח והפסד
DocType: Bank Reconciliation Detail,Cheque Number,מספר המחאה
,Sales Browser,דפדפן מכירות
DocType: Journal Entry,Total Credit,"סה""כ אשראי"
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},אזהרה: נוסף {0} # {1} קיימת נגד כניסת מניית {2}
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,מקומי
apps/erpnext/erpnext/utilities/user_progress_utils.py +45,Local,מקומי
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),הלוואות ומקדמות (נכסים)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,חייבים
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,גדול
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Large,גדול
DocType: Homepage Featured Product,Homepage Featured Product,מוצרי דף בית מומלצים
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,שם מחסן חדש
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),סה&quot;כ {0} ({1})
@ -2203,7 +2198,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target wareho
DocType: Cheque Print Template,Primary Settings,הגדרות ראשיות
DocType: Purchase Invoice,Select Supplier Address,כתובת ספק בחר
DocType: Purchase Invoice Item,Quality Inspection,איכות פיקוח
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,קטן במיוחד
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +187,Extra Small,קטן במיוחד
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +777,Warning: Material Requested Qty is less than Minimum Order Qty,אזהרה: חומר המבוקש כמות הוא פחות מלהזמין כמות מינימאלית
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,חשבון {0} הוא קפוא
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,ישות / בת משפטית עם תרשים נפרד של חשבונות השייכים לארגון.
@ -2221,7 +2216,7 @@ DocType: Bin,Bin,סל
DocType: SMS Log,No of Sent SMS,לא של SMS שנשלח
DocType: Account,Expense Account,חשבון הוצאות
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,תוכנה
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,צבע
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",אנא בחר פריט שבו &quot;האם פריט במלאי&quot; הוא &quot;לא&quot; ו- &quot;האם פריט מכירות&quot; הוא &quot;כן&quot; ואין Bundle מוצרים אחר
@ -2241,7 +2236,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +169,Please select {0},א
DocType: C-Form,C-Form No,C-טופס לא
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,נוכחות לא מסומנת
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,חוקר
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +128,Researcher,חוקר
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,סטודנט כלי הרשמה לתכנית
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,שם או דוא&quot;ל הוא חובה
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,בדיקת איכות נכנסת.
@ -2254,7 +2249,7 @@ DocType: Item Customer Detail,"For the convenience of customers, these codes can
DocType: Sales Invoice,Time Sheet List,רשימת גיליון זמן
DocType: Employee,You can enter any date manually,אתה יכול להיכנס לכל תאריך באופן ידני
DocType: Asset Category Account,Depreciation Expense Account,חשבון הוצאות פחת
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +194,Probationary Period,תקופת ניסיון
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +216,Probationary Period,תקופת ניסיון
DocType: Customer Group,Only leaf nodes are allowed in transaction,רק צמתים עלה מותר בעסקה
DocType: Expense Claim,Expense Approver,מאשר חשבון
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,שורת {0}: מראש נגד הלקוח חייב להיות אשראי
@ -2374,7 +2369,6 @@ apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cann
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} בוטלה או נעצרה
apps/erpnext/erpnext/public/js/setup_wizard.js +395,Add a few sample records,הוסף כמה תקליטי מדגם
apps/erpnext/erpnext/config/hr.py +301,Leave Management,השאר ניהול
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,קבוצה על ידי חשבון
DocType: Sales Order,Fully Delivered,נמסר באופן מלא
@ -2394,7 +2388,7 @@ DocType: Warranty Claim,From Company,מחברה
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,אנא להגדיר מספר הפחת הוזמן
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,ערך או כמות
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,הזמנות הפקות לא ניתן להעלות על:
apps/erpnext/erpnext/public/js/setup_wizard.js +311,Minute,דקות
apps/erpnext/erpnext/utilities/user_progress.py +101,Minute,דקות
DocType: Purchase Invoice,Purchase Taxes and Charges,לרכוש מסים והיטלים
,Qty to Receive,כמות לקבלת
DocType: Leave Block List,Leave Block List Allowed,השאר בלוק רשימת מחמד
@ -2459,7 +2453,7 @@ DocType: Supplier,Supplier Details,פרטי ספק
DocType: Expense Claim,Approval Status,סטטוס אישור
DocType: Hub Settings,Publish Items to Hub,לפרסם פריטים לHub
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},מהערך חייב להיות פחות משווי בשורת {0}
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,העברה בנקאית
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +173,Wire Transfer,העברה בנקאית
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,סמן הכל
DocType: Purchase Order,Recurring Order,להזמין חוזר
DocType: Company,Default Income Account,חשבון הכנסות ברירת מחדל
@ -2496,7 +2490,6 @@ apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amo
DocType: Purchase Invoice,Return Against Purchase Invoice,חזור נגד רכישת חשבונית
DocType: Item,Warranty Period (in days),תקופת אחריות (בימים)
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,מזומנים נטו שנבעו מפעולות
apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. VAT,"למשל מע""מ"
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,פריט 4
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,קבלנות משנה
DocType: Journal Entry Account,Journal Entry Account,חשבון כניסת Journal
@ -2527,7 +2520,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +101,Party
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,שם נושא
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Atleast אחד למכור או לקנות יש לבחור
apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,בחר את אופי העסק שלך.
apps/erpnext/erpnext/public/js/setup_wizard.js +32,Select the nature of your business.,בחר את אופי העסק שלך.
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,איפה פעולות ייצור מתבצעות.
DocType: Asset Movement,Source Warehouse,מחסן מקור
DocType: Installation Note,Installation Date,התקנת תאריך
@ -2556,7 +2549,7 @@ apps/erpnext/erpnext/accounts/utils.py +497,Please set default {0} in Company {1
DocType: Cheque Print Template,Starting position from top edge,התחלה מן הקצה העליון
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +31,Same supplier has been entered multiple times,ספק זהה הוזן מספר פעמים
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,לרכוש פריט להזמין מסופק
apps/erpnext/erpnext/public/js/setup_wizard.js +129,Company Name cannot be Company,שם חברה לא יכול להיות חברה
apps/erpnext/erpnext/public/js/setup_wizard.js +139,Company Name cannot be Company,שם חברה לא יכול להיות חברה
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,ראשי מכתב לתבניות הדפסה.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,כותרות לתבניות הדפסה למשל פרופורמה חשבונית.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +201,Valuation type charges can not marked as Inclusive,חיובי סוג הערכת שווי לא יכולים סומן ככלול
@ -2619,7 +2612,7 @@ apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.
DocType: Serial No,Out of AMC,מתוך AMC
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,מספר הפחת הוזמן לא יכול להיות גדול ממספרם הכולל של פחת
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,הפוך תחזוקה בקר
apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,אנא צור קשר עם למשתמש שיש לי מכירות Master מנהל {0} תפקיד
apps/erpnext/erpnext/selling/doctype/customer/customer.py +170,Please contact to the user who have Sales Master Manager {0} role,אנא צור קשר עם למשתמש שיש לי מכירות Master מנהל {0} תפקיד
DocType: Company,Default Cash Account,חשבון מזומנים ברירת מחדל
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,אדון חברה (לא לקוח או ספק).
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,זה מבוסס על הנוכחות של תלמיד זה
@ -2649,11 +2642,11 @@ DocType: Purchase Order,Customer Contact Email,דוא&quot;ל ליצירת קש
DocType: Warranty Claim,Item and Warranty Details,פרטי פריט ואחריות
DocType: Sales Team,Contribution (%),תרומה (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"הערה: כניסת תשלום לא יצרה מאז ""מזומן או חשבון הבנק 'לא צוין"
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +200,Responsibilities,אחריות
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +222,Responsibilities,אחריות
DocType: Expense Claim Account,Expense Claim Account,חשבון תביעת הוצאות
DocType: Sales Person,Sales Person Name,שם איש מכירות
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,נא להזין atleast חשבונית 1 בטבלה
apps/erpnext/erpnext/public/js/setup_wizard.js +198,Add Users,הוסף משתמשים
apps/erpnext/erpnext/utilities/user_progress.py +201,Add Users,הוסף משתמשים
DocType: POS Item Group,Item Group,קבוצת פריט
DocType: Item,Safety Stock,מלאי ביטחון
DocType: Stock Reconciliation Item,Before reconciliation,לפני הפיוס
@ -2676,9 +2669,9 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Cash or Bank Account is mandatory for making payment entry,חשבון מזומן או בנק הוא חובה להכנת כניסת תשלום
DocType: Purchase Invoice,Price List Exchange Rate,מחיר מחירון שער חליפין
DocType: Purchase Invoice Item,Rate,שיעור
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Intern
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Intern,Intern
DocType: Stock Entry,From BOM,מBOM
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,בסיסי
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +64,Basic,בסיסי
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,עסקות המניה לפני {0} קפואים
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',"אנא לחץ על 'צור לוח זמנים """
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","למשל ק""ג, יחידה, מס, מ '"
@ -2708,7 +2701,7 @@ DocType: Process Payroll,Process Payroll,שכר תהליך
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +238,There are more holidays than working days this month.,ישנם יותר מ חגי ימי עבודה בחודש זה.
DocType: Product Bundle Item,Product Bundle Item,פריט Bundle מוצר
DocType: Sales Partner,Sales Partner Name,שם שותף מכירות
apps/erpnext/erpnext/hooks.py +119,Request for Quotations,בקשת ציטטות
apps/erpnext/erpnext/hooks.py +123,Request for Quotations,בקשת ציטטות
DocType: Payment Reconciliation,Maximum Invoice Amount,סכום חשבונית מרבי
apps/erpnext/erpnext/config/selling.py +23,Customers,לקוחות
DocType: Asset,Partially Depreciated,חלקי מופחת
@ -2729,7 +2722,7 @@ DocType: Journal Entry,Print Heading,כותרת הדפסה
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +57,Total cannot be zero,"סה""כ לא יכול להיות אפס"
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,מספר הימים מההזמנה האחרונה 'חייב להיות גדול או שווה לאפס
DocType: Asset,Amended From,תוקן מ
apps/erpnext/erpnext/public/js/setup_wizard.js +307,Raw Material,חומר גלם
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +53,Raw Material,חומר גלם
DocType: Leave Application,Follow via Email,"עקוב באמצעות דוא""ל"
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,צמחי Machineries
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,סכום מס לאחר סכום הנחה
@ -2747,7 +2740,6 @@ DocType: Item,Item Code for Suppliers,קוד פריט לספקים
DocType: Issue,Raised By (Email),"הועלה על ידי (דוא""ל)"
DocType: Mode of Payment,General,כללי
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"לא ניתן לנכות כאשר לקטגוריה 'הערכה' או 'הערכה וסה""כ'"
apps/erpnext/erpnext/public/js/setup_wizard.js +238,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","רשימת ראשי המס שלך (למשל מע&quot;מ, מכס וכו &#39;, הם צריכים להיות שמות ייחודיים) ושיעורי הסטנדרטים שלהם. זה יהיה ליצור תבנית סטנדרטית, שבו אתה יכול לערוך ולהוסיף עוד מאוחר יותר."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},מס 'סידורי הנדרש לפריט מספר סידורי {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,תשלומי התאמה עם חשבוניות
DocType: Journal Entry,Bank Entry,בנק כניסה
@ -2762,7 +2754,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Lei
DocType: Quality Inspection,Item Serial No,מספר סידורי פריט
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +68,Total Present,"הווה סה""כ"
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,דוחות חשבונאות
apps/erpnext/erpnext/public/js/setup_wizard.js +311,Hour,שעה
apps/erpnext/erpnext/utilities/user_progress.py +101,Hour,שעה
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,מספר סידורי חדש לא יכול להיות מחסן. מחסן חייב להיות מוגדר על ידי Stock כניסה או קבלת רכישה
DocType: Lead,Lead Type,סוג עופרת
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,אתה לא מורשה לאשר עלים בתאריכי הבלוק
@ -2780,7 +2772,7 @@ DocType: Quality Inspection,Report Date,תאריך דוח
DocType: Student,Middle Name,שם אמצעי
DocType: C-Form,Invoices,חשבוניות
DocType: Job Opening,Job Title,כותרת עבודה
apps/erpnext/erpnext/public/js/setup_wizard.js +311,Gram,גְרַם
apps/erpnext/erpnext/utilities/user_progress.py +101,Gram,גְרַם
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,כמות לייצור חייבת להיות גדולה מ 0.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,"בקר בדו""ח לשיחת תחזוקה."
DocType: Stock Entry,Update Rate and Availability,עדכון תעריף וזמינות
@ -2793,7 +2785,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +163,Please cancel Purchase
DocType: Serial No,AMC Expiry Date,תאריך תפוגה AMC
,Sales Register,מכירות הרשמה
DocType: Quotation,Quotation Lost Reason,סיבה אבודה ציטוט
apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,נבחר את הדומיין שלך
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/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,סיכום לחודש זה ופעילויות תלויות ועומדות
@ -2817,7 +2809,7 @@ apps/erpnext/erpnext/controllers/trends.py +269,Project-wise data is not availab
DocType: Project,Expected End Date,תאריך סיום צפוי
DocType: Budget Account,Budget Amount,סכום תקציב
DocType: Appraisal Template,Appraisal Template Title,הערכת תבנית כותרת
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,מסחרי
apps/erpnext/erpnext/utilities/user_progress_utils.py +23,Commercial,מסחרי
DocType: Payment Entry,Account Paid To,חשבון םלושש
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,פריט הורה {0} לא חייב להיות פריט במלאי
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,כל המוצרים או שירותים.
@ -2944,17 +2936,16 @@ apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted a
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,כבתאריך
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,תאריך הרשמה
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,מבחן
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Probation,מבחן
apps/erpnext/erpnext/config/hr.py +115,Salary Components,מרכיבי שכר
DocType: Program Enrollment Tool,New Academic Year,חדש שנה אקדמית
DocType: Stock Settings,Auto insert Price List rate if missing,הכנס אוטומטי שיעור מחירון אם חסר
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,"סכום ששולם סה""כ"
DocType: Production Order Item,Transferred Qty,כמות שהועברה
apps/erpnext/erpnext/config/learn.py +11,Navigating,ניווט
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,תכנון
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +179,Planning,תכנון
DocType: Material Request,Issued,הפיק
DocType: Project,Total Billing Amount (via Time Logs),סכום חיוב כולל (דרך זמן יומנים)
apps/erpnext/erpnext/public/js/setup_wizard.js +314,We sell this Item,אנחנו מוכרים פריט זה
apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,ספק זיהוי
DocType: Payment Request,Payment Gateway Details,פרטי תשלום Gateway
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +253,Quantity should be greater than 0,כמות צריכה להיות גדולה מ 0
@ -2972,7 +2963,7 @@ DocType: Buying Settings,Default Supplier Type,סוג ספק ברירת מחדל
DocType: Production Order,Total Operating Cost,"עלות הפעלה סה""כ"
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,הערה: פריט {0} נכנסה מספר פעמים
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,כל אנשי הקשר.
apps/erpnext/erpnext/public/js/setup_wizard.js +62,Company Abbreviation,קיצור חברה
apps/erpnext/erpnext/public/js/setup_wizard.js +66,Company Abbreviation,קיצור חברה
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,משתמש {0} אינו קיים
DocType: Item Attribute Value,Abbreviation,קיצור
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,לא authroized מאז {0} עולה על גבולות
@ -2987,7 +2978,7 @@ apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,סל
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,ציטוטים להובלות או לקוחות.
DocType: Stock Settings,Role Allowed to edit frozen stock,תפקיד מחמד לערוך המניה קפוא
,Territory Target Variance Item Group-Wise,פריט יעד שונות טריטורית קבוצה-Wise
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,בכל קבוצות הלקוחות
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/accounts/doctype/tax_rule/tax_rule.py +40,Tax Template is mandatory.,תבנית מס היא חובה.
@ -2997,7 +2988,7 @@ DocType: Products Settings,Products Settings,הגדרות מוצרים
DocType: Account,Temporary,זמני
DocType: Program,Courses,קורסים
DocType: Monthly Distribution Percentage,Percentage Allocation,אחוז ההקצאה
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,מזכיר
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +119,Secretary,מזכיר
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","אם להשבית, &#39;במילים&#39; שדה לא יהיה גלוי בכל עסקה"
DocType: Serial No,Distinct unit of an Item,יחידה נפרדת של פריט
DocType: Pricing Rule,Buying,קנייה
@ -3007,7 +2998,7 @@ DocType: POS Profile,Apply Discount On,החל דיסקונט ב
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,נושים
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,# השורה {0}: מספר סידורי הוא חובה
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,פריט Detail המס וייז
apps/erpnext/erpnext/public/js/setup_wizard.js +62,Institute Abbreviation,קיצור המכון
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,הצעת מחיר של ספק
DocType: Quotation,In Words will be visible once you save the Quotation.,במילים יהיו גלוי לאחר שתשמרו את הצעת המחיר.
@ -3019,7 +3010,7 @@ DocType: Item,Opening Stock,מאגר פתיחה
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,הלקוח נדרש
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} הוא חובה עבור שבות
DocType: Purchase Order,To Receive,לקבל
apps/erpnext/erpnext/public/js/setup_wizard.js +207,user@example.com,user@example.com
apps/erpnext/erpnext/utilities/user_progress.py +206,user@example.com,user@example.com
DocType: Employee,Personal Email,"דוא""ל אישי"
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,סך שונה
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","אם מאופשר, המערכת תפרסם רישומים חשבונאיים עבור המלאי באופן אוטומטי."
@ -3085,15 +3076,13 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,מקומות
DocType: Employee,Held On,במוחזק
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,פריט ייצור
,Employee Information,מידע לעובדים
apps/erpnext/erpnext/public/js/setup_wizard.js +247,Rate (%),שיעור (%)
DocType: Stock Entry Detail,Additional Cost,עלות נוספת
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","לא לסנן מבוססים על השובר לא, אם מקובצים לפי שובר"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +891,Make Supplier Quotation,הפוך הצעת מחיר של ספק
DocType: Quality Inspection,Incoming,נכנסים
DocType: BOM,Materials Required (Exploded),חומרים דרושים (התפוצצו)
apps/erpnext/erpnext/public/js/setup_wizard.js +199,"Add users to your organization, other than yourself","הוסף משתמשים לארגון שלך, מלבד את עצמך"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},# השורה {0}: סידורי לא {1} אינו תואם עם {2} {3}
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,חופשה מזדמנת
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Casual Leave,חופשה מזדמנת
DocType: Batch,Batch ID,זיהוי אצווה
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},הערה: {0}
,Delivery Note Trends,מגמות תעודת משלוח
@ -3107,7 +3096,7 @@ DocType: Purchase Receipt,Return Against Purchase Receipt,חזור כנגד קב
DocType: Request for Quotation Item,Request for Quotation Item,בקשה להצעת מחיר הפריט
DocType: Purchase Order,To Bill,להצעת החוק
DocType: Material Request,% Ordered,% מסודר
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,עֲבוֹדָה בְּקַבּלָנוּת
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Piecework,עֲבוֹדָה בְּקַבּלָנוּת
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,ממוצע. שיעור קנייה
DocType: Task,Actual Time (in Hours),זמן בפועל (בשעות)
DocType: Employee,History In Company,ההיסטוריה בחברה
@ -3122,7 +3111,7 @@ DocType: Customer,Sales Partner and Commission,פרטנר מכירות והוו
DocType: Opportunity,To Discuss,כדי לדון ב
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} יחידות של {1} צורך {2} כדי להשלים את העסקה הזו.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,חשבונות זמניים
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,שחור
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Black,שחור
DocType: BOM Explosion Item,BOM Explosion Item,פריט פיצוץ BOM
DocType: Account,Auditor,מבקר
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} פריטים המיוצרים
@ -3156,7 +3145,7 @@ DocType: Assessment Plan,Supervisor,מְפַקֵחַ
,Available Stock for Packing Items,מלאי זמין לפריטי אריזה
DocType: Item Variant,Item Variant,פריט Variant
apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","יתרת חשבון כבר בחיוב, שאינך מורשים להגדרה 'יתרה חייבים להיות' כמו 'אשראי'"
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,ניהול איכות
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Quality Management,ניהול איכות
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,פריט {0} הושבה
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},נא להזין את הכמות לפריט {0}
DocType: Employee External Work History,Employee External Work History,העובד חיצוני היסטוריה עבודה
@ -3210,9 +3199,9 @@ DocType: Announcement,Announcement,הַכרָזָה
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,מחסן לא ניתן למחוק ככניסת פנקס המניות קיימת למחסן זה.
DocType: Company,Distribution,הפצה
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,הסכום ששולם
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,מנהל פרויקט
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Project Manager,מנהל פרויקט
,Quoted Item Comparison,פריט מצוטט השוואה
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,שדר
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Dispatch,שדר
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,הנחה מרבית המוותרת עבור פריט: {0} היא% {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,שווי הנכסי נקי כמו על
DocType: Account,Receivable,חייבים
@ -3266,7 +3255,7 @@ 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 +941,It is needed to fetch Item Details.,הוא צריך את זה כדי להביא פרטי פריט.
apps/erpnext/erpnext/public/js/controllers/transaction.js +952,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} כבר קיבל
@ -3277,7 +3266,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js +1331,Delete permanently?,למחו
DocType: Expense Claim,Total Claimed Amount,"סכום הנתבע סה""כ"
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,הזדמנויות פוטנציאליות למכירה.
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},לא חוקי {0}
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,חופשת מחלה
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Sick Leave,חופשת מחלה
DocType: Email Digest,Email Digest,"תקציר דוא""ל"
DocType: Delivery Note,Billing Address Name,שם כתובת לחיוב
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,חנויות כלבו
@ -3298,7 +3287,7 @@ DocType: Purchase Invoice,Recurring Print Format,פורמט הדפסה חוזר
DocType: C-Form,Series,סדרה
DocType: Appraisal,Appraisal Template,הערכת תבנית
DocType: Item Group,Item Classification,סיווג פריט
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,מנהל פיתוח עסקי
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Business Development Manager,מנהל פיתוח עסקי
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,מטרת התחזוקה בקר
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,תקופה
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,בכלל לדג'ר
@ -3401,7 +3390,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You ca
DocType: Naming Series,Help HTML,העזרה HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,כלי יצירת סטודנט קבוצה
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},"weightage סה""כ הוקצה צריך להיות 100%. זה {0}"
apps/erpnext/erpnext/public/js/setup_wizard.js +276,Your Suppliers,הספקים שלך
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,התקבל מ
@ -3421,7 +3410,7 @@ apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not author
DocType: Payment Reconciliation,Get Unreconciled Entries,קבל ערכים לא מותאמים
DocType: Payment Reconciliation,From Invoice Date,מתאריך החשבונית
apps/erpnext/erpnext/accounts/party.py +261,Billing currency must be equal to either default comapany's currency or party account currency,מטבע חיוב חייב להיות שווה מטבע של או מטבע או צד חשבון comapany מחדל
apps/erpnext/erpnext/public/js/setup_wizard.js +96,What does it do?,מה זה עושה?
apps/erpnext/erpnext/public/js/setup_wizard.js +106,What does it do?,מה זה עושה?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,למחסן
,Average Commission Rate,שערי העמלה הממוצעת
apps/erpnext/erpnext/stock/doctype/item/item.py +406,'Has Serial No' can not be 'Yes' for non-stock item,"""יש מספר סידורי 'לא יכול להיות' כן 'ללא מוחזק במלאי פריט"
@ -3429,7 +3418,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not
DocType: Pricing Rule,Pricing Rule Help,עזרה כלל תמחור
DocType: Purchase Taxes and Charges,Account Head,חשבון ראש
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,עדכון עלויות נוספות לחישוב עלות נחתה של פריטים
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,חשמל
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Electrical,חשמל
DocType: Stock Entry,Total Value Difference (Out - In),הבדל ערך כולל (Out - ב)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,שורת {0}: שער החליפין הוא חובה
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},זיהוי משתמש לא נקבע לעובדים {0}
@ -3500,7 +3489,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +87,Tax Rule Conflict
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,שם חשבון חדש
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,עלות חומרי גלם הסופק
DocType: Selling Settings,Settings for Selling Module,הגדרות עבור מכירת מודול
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,שירות לקוחות
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Customer Service,שירות לקוחות
DocType: BOM,Thumbnail,תמונה ממוזערת
DocType: Item Customer Detail,Item Customer Detail,פרט לקוחות פריט
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,מועמד הצעת עבודה.
@ -3517,7 +3506,7 @@ DocType: Account,Equity,הון עצמי
DocType: Sales Order,Printing Details,הדפסת פרטים
DocType: Task,Closing Date,תאריך סגירה
DocType: Sales Order Item,Produced Quantity,כמות מיוצרת
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,מהנדס
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Engineer,מהנדס
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,הרכבות תת חיפוש
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +167,Item Code required at Row No {0},קוד פריט נדרש בשורה לא {0}
DocType: Sales Partner,Partner Type,שם שותף
@ -3536,7 +3525,7 @@ DocType: BOM,Raw Material Cost,עלות חומרי גלם
DocType: Item Reorder,Re-Order Level,סדר מחדש רמה
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,הזן פריטים וכמות מתוכננת עבורו ברצון להעלות הזמנות ייצור או להוריד חומרי גלם לניתוח.
apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,תרשים גנט
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,במשרה חלקית
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Part-time,במשרה חלקית
DocType: Employee,Applicable Holiday List,רשימת Holiday ישימה
DocType: Employee,Cheque,המחאה
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +59,Series Updated,סדרת עדכון
@ -3577,7 +3566,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,ייעו
DocType: Customer Group,Parent Customer Group,קבוצת לקוחות הורה
DocType: Purchase Invoice,Contact Email,"דוא""ל ליצירת קשר"
DocType: Appraisal Goal,Score Earned,הציון שנצבר
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +202,Notice Period,תקופת הודעה
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +224,Notice Period,תקופת הודעה
DocType: Asset Category,Asset Category Name,שם קטגוריה נכסים
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,זהו שטח שורש ולא ניתן לערוך.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,ניו איש מכירות שם
@ -3645,7 +3634,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has
DocType: Leave Block List,Stop users from making Leave Applications on following days.,להפסיק ממשתמשים לבצע יישומי חופשה בימים שלאחר מכן.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,סכום הרכישה
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +259,Supplier Quotation {0} created,הצעת מחיר הספק {0} נוצר
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Employee Benefits,הטבות לעובדים
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +217,Employee Benefits,הטבות לעובדים
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},כמות ארוזה חייבת להיות שווה לכמות פריט {0} בשורת {1}
DocType: Production Order,Manufactured Qty,כמות שיוצרה
DocType: Purchase Receipt Item,Accepted Quantity,כמות מקובלת
@ -3710,7 +3699,6 @@ apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,
apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","עונתיות להגדרת תקציבים, יעדים וכו '"
apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","פריט {0} הוא תבנית, אנא בחר באחת מגרסותיה"
DocType: Asset,Asset Category,קטגורית נכסים
apps/erpnext/erpnext/public/js/setup_wizard.js +213,Purchaser,רוכש
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +31,Net pay cannot be negative,שכר נטו לא יכול להיות שלילי
DocType: Assessment Plan,Room,חֶדֶר
DocType: Purchase Order,Advance Paid,מראש בתשלום
@ -3725,7 +3713,7 @@ DocType: Program,Program Name,שם התכנית
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,שקול מס או תשלום עבור
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,הכמות בפועל היא חובה
DocType: Scheduling Tool,Scheduling Tool,כלי תזמון
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,כרטיס אשראי
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +171,Credit Card,כרטיס אשראי
DocType: BOM,Item to be manufactured or repacked,פריט שמיוצר או ארזה
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,הגדרות ברירת מחדל עבור עסקות מניות.
DocType: Purchase Invoice,Next Date,התאריך הבא
@ -3739,7 +3727,7 @@ apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +23,Fr
DocType: Stock Entry,Repack,לארוז מחדש
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,עליך לשמור את הטופס לפני שתמשיך
DocType: Item Attribute,Numeric Values,ערכים מספריים
apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,צרף לוגו
apps/erpnext/erpnext/public/js/setup_wizard.js +51,Attach Logo,צרף לוגו
DocType: Customer,Commission Rate,הוועדה שערי
apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,הפוך Variant
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,יישומי חופשת בלוק על ידי מחלקה.
@ -3758,7 +3746,7 @@ DocType: Shopping Cart Settings,After payment completion redirect user to select
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,אנא בחר קובץ CSV
DocType: Purchase Order,To Receive and Bill,כדי לקבל וביל
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,מוצרים מומלצים
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,מעצב
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +127,Designer,מעצב
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,תבנית תנאים והגבלות
DocType: Serial No,Delivery Details,פרטי משלוח
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +485,Cost Center is required in row {0} in Taxes table for type {1},מרכז העלות נדרש בשורת {0} במסי שולחן לסוג {1}

1 DocType: Employee Salary Mode שכר Mode
33 DocType: Purchase Order % Billed % שחויבו
34 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43 Exchange Rate must be same as {0} {1} ({2}) שער החליפין חייב להיות זהה {0} {1} ({2})
35 DocType: Sales Invoice Customer Name שם לקוח
36 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +127 Bank account cannot be named as {0} חשבון בנק לא יכול להיות שם בתור {0}
37 DocType: Account Heads (or groups) against which Accounting Entries are made and balances are maintained. ראשים (או קבוצות) נגד שרישומים חשבונאיים נעשים ומתוחזקים יתרות.
38 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196 Outstanding for {0} cannot be less than zero ({1}) יוצא מן הכלל עבור {0} אינם יכולים להיות פחות מאפס ({1})
39 DocType: Manufacturing Settings Default 10 mins ברירת מחדל 10 דקות
48 apps/erpnext/erpnext/projects/doctype/project/project.py +65 Expected End Date can not be less than Expected Start Date תאריך הסיום צפוי לא יכול להיות פחות מתאריך ההתחלה צפויה
49 apps/erpnext/erpnext/utilities/transaction_base.py +110 Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) # השורה {0}: שיעור חייב להיות זהה {1}: {2} ({3} / {4})
50 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282 New Leave Application החדש Leave Application
51 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +175 Bank Draft המחאה בנקאית
52 DocType: Mode of Payment Account Mode of Payment Account מצב של חשבון תשלומים
53 apps/erpnext/erpnext/stock/doctype/item/item.js +56 Show Variants גרסאות הצג
54 DocType: Academic Term Academic Term מונח אקדמי
74 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154 Please select Price List אנא בחר מחירון
75 DocType: Production Order Operation Work In Progress עבודה בתהליך
76 DocType: Employee Holiday List רשימת החג
77 apps/erpnext/erpnext/public/js/setup_wizard.js +216 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +118 Accountant חשב
78 DocType: Cost Center Stock User משתמש המניה
79 DocType: Company Phone No מס 'טלפון
80 apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50 Course Schedules created: קורס לוחות זמנים נוצרו:
90 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38 Cannot set authorization on basis of Discount for {0} לא ניתן להגדיר הרשאות על בסיס הנחה עבור {0}
91 DocType: Rename Tool Attach .csv file with two columns, one for the old name and one for the new name צרף קובץ csv עם שתי עמודות, אחת לשם הישן ואחד לשם החדש
92 DocType: Packed Item Parent Detail docname docname פרט הורה
93 apps/erpnext/erpnext/public/js/setup_wizard.js +310 apps/erpnext/erpnext/utilities/user_progress.py +100 Kg קילוגרם
94 apps/erpnext/erpnext/config/hr.py +45 Opening for a Job. פתיחה לעבודה.
95 DocType: Item Attribute Increment תוספת
96 apps/erpnext/erpnext/public/js/stock_analytics.js +61 Select Warehouse... בחר מחסן ...
113 DocType: Sales Invoice Item Sales Invoice Item פריט חשבונית מכירות
114 DocType: Account Credit אשראי
115 DocType: POS Profile Write Off Cost Center לכתוב את מרכז עלות
116 apps/erpnext/erpnext/public/js/setup_wizard.js +99 apps/erpnext/erpnext/public/js/setup_wizard.js +109 e.g. "Primary School" or "University" למשל &quot;בית הספר היסודי&quot; או &quot;האוניברסיטה&quot;
117 apps/erpnext/erpnext/config/stock.py +32 Stock Reports דוחות במלאי
118 DocType: Warehouse Warehouse Detail פרט מחסן
119 apps/erpnext/erpnext/selling/doctype/customer/customer.py +161 apps/erpnext/erpnext/selling/doctype/customer/customer.py +164 Credit limit has been crossed for customer {0} {1}/{2} מסגרת אשראי נחצתה ללקוחות {0} {1} / {2}
120 apps/erpnext/erpnext/stock/doctype/item/item.py +467 "Is Fixed Asset" cannot be unchecked, as Asset record exists against the item &quot;האם רכוש קבוע&quot; לא יכול להיות מסומן, כמו שיא נכסים קיים כנגד הפריט
121 DocType: Tax Rule Tax Type סוג המס
122 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160 You are not authorized to add or update entries before {0} אין לך ההרשאה להוסיף או עדכון ערכים לפני {0}
152 DocType: Expense Claim Detail Claim Amount סכום תביעה
153 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31 Supplier Type / Supplier סוג ספק / ספק
154 DocType: Naming Series Prefix קידומת
155 apps/erpnext/erpnext/public/js/setup_wizard.js +307 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59 Consumable מתכלה
156 DocType: Employee B- B-
157 DocType: Upload Attendance Import Log יבוא יומן
158 DocType: Production Planning Tool Pull Material Request of type Manufacture based on the above criteria משוך בקשת חומר של ייצור סוג בהתבסס על הקריטריונים לעיל
159 DocType: Sales Invoice Item Delivered By Supplier נמסר על ידי ספק
160 DocType: SMS Center All Contact כל הקשר
161 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +215 Annual Salary משכורת שנתית
162 DocType: Period Closing Voucher Closing Fiscal Year סגירת שנת כספים
163 apps/erpnext/erpnext/accounts/party.py +357 {0} {1} is frozen {0} {1} הוא קפוא
164 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80 Stock Expenses הוצאות המניה
172 DocType: Upload Attendance Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records הורד את התבנית, למלא נתונים מתאימים ולצרף את הקובץ הנוכחי. כל שילוב התאריכים ועובדים בתקופה שנבחרה יבוא בתבנית, עם רישומי נוכחות קיימים
173 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482 Item {0} is not active or end of life has been reached פריט {0} אינו פעיל או שהגיע הסוף של חיים
174 apps/erpnext/erpnext/public/js/setup_wizard.js +346 apps/erpnext/erpnext/utilities/user_progress.py +144 Example: Basic Mathematics דוגמה: מתמטיקה בסיסית
175 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} חייבים להיות כלולים גם
176 apps/erpnext/erpnext/config/hr.py +214 Settings for HR Module הגדרות עבור מודול HR
177 DocType: SMS Center SMS Center SMS מרכז
178 DocType: Sales Invoice Change Amount שנת הסכום
183 apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17 Make Employee הפוך שכיר
184 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14 Broadcasting שידור
185 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182 Execution ביצוע
186 apps/erpnext/erpnext/config/manufacturing.py +62 Details of the operations carried out. פרטים של הפעולות שביצעו.
187 DocType: Serial No Maintenance Status מצב תחזוקה
188 apps/erpnext/erpnext/config/selling.py +52 Items and Pricing פריטים ותמחור
189 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2 Total hours: {0} סה&quot;כ שעות: {0}
231 DocType: Sales Partner Partner website אתר שותף
232 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105 Add Item הוסף פריט
233 apps/erpnext/erpnext/public/js/setup_wizard.js +267 apps/erpnext/erpnext/utilities/user_progress.py +46 Contact Name שם איש קשר
234 DocType: Process Payroll Creates salary slip for above mentioned criteria. יוצר תלוש משכורת לקריטריונים שהוזכרו לעיל.
235 DocType: Cheque Print Template Line spacing for amount in words מרווח בין שורות עבור הסכום במילים
236 apps/erpnext/erpnext/templates/generators/bom.html +85 No description given אין תיאור נתון
237 apps/erpnext/erpnext/config/buying.py +13 Request for purchase. בקש לרכישה.
239 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224 Only the selected Leave Approver can submit this Leave Application רק המאשר Leave נבחר יכול להגיש בקשה זו החופשה
240 apps/erpnext/erpnext/hr/doctype/employee/employee.py +116 Relieving Date must be greater than Date of Joining להקלה על התאריך חייבת להיות גדולה מ תאריך ההצטרפות
241 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +201 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +223 Leaves per Year עלים בכל שנה
242 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130 Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry. שורת {0}: בדוק את 'האם Advance' נגד חשבון {1} אם זה כניסה מראש.
243 apps/erpnext/erpnext/stock/utils.py +212 Warehouse {0} does not belong to company {1} מחסן {0} אינו שייך לחברת {1}
244 apps/erpnext/erpnext/public/js/setup_wizard.js +311 apps/erpnext/erpnext/utilities/user_progress.py +101 Litre לִיטר
245 DocType: Task Total Costing Amount (via Time Sheet) סה&quot;כ תמחיר הסכום (באמצעות גיליון זמן)
246 DocType: Item Website Specification Item Website Specification מפרט אתר פריט
247 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477 Leave Blocked השאר חסימה
248 apps/erpnext/erpnext/stock/doctype/item/item.py +673 Item {0} has reached its end of life on {1} פריט {0} הגיע לסיומו של חיים על {1}
253 DocType: Material Request Item Min Order Qty להזמין כמות מינימום
254 DocType: Lead Do Not Contact אל תצור קשר
255 apps/erpnext/erpnext/public/js/setup_wizard.js +361 apps/erpnext/erpnext/utilities/user_progress.py +164 People who teach at your organisation אנשים המלמדים בארגון שלך
256 DocType: Purchase Invoice The unique id for tracking all recurring invoices. It is generated on submit. Id הייחודי למעקב אחר כל החשבוניות חוזרות. הוא נוצר על שליחה.
257 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +126 Software Developer מפתח תוכנה
258 DocType: Item Minimum Order Qty להזמין כמות מינימום
259 DocType: Pricing Rule Supplier Type סוג ספק
260 DocType: Course Scheduling Tool Course Start Date תאריך פתיחת הקורס
261 DocType: Item Publish in Hub פרסם בHub
340 DocType: Purchase Order % Received % התקבל
341 apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3 Create Student Groups יצירת קבוצות סטודנטים
342 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +22 Setup Already Complete!! התקנה כבר מלא !!
343 Finished Goods מוצרים מוגמרים
344 DocType: Delivery Note Instructions הוראות
345 DocType: Quality Inspection Inspected By נבדק על ידי
346 DocType: Maintenance Visit Maintenance Type סוג התחזוקה
384 DocType: Purchase Invoice Item Quantity and Rate כמות ושיעור
385 DocType: Delivery Note % Installed % מותקן
386 apps/erpnext/erpnext/public/js/setup_wizard.js +376 apps/erpnext/erpnext/utilities/user_progress.py +184 Classrooms/ Laboratories etc where lectures can be scheduled. כיתות / מעבדות וכו שבו הרצאות ניתן לתזמן.
387 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46 Please enter company name first אנא ראשון להזין את שם חברה
388 DocType: Purchase Invoice Supplier Name שם ספק
389 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25 Read the ERPNext Manual לקרוא את מדריך ERPNext
390 DocType: Account Is Group קבוצה
392 DocType: Accounts Settings Check Supplier Invoice Number Uniqueness ספק בדוק חשבונית מספר הייחוד
393 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57 'To Case No.' cannot be less than 'From Case No.' "למקרה מס ' לא יכול להיות פחות מ 'מתיק מס' '
394 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +137 Non Profit ללא כוונת רווח
395 DocType: Production Order Not Started לא התחיל
396 DocType: Lead Channel Partner Channel Partner
397 DocType: Account Old Parent האם ישן
398 DocType: Notification Control Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text. התאמה אישית של הטקסט המקדים שהולך כחלק מהודעה. לכל עסקה טקסט מקדים נפרד.
428 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +30 The selected BOMs are not for the same item בומס שנבחר אינו תמורת אותו הפריט
429 DocType: Pricing Rule Valid Upto Upto חוקי
430 apps/erpnext/erpnext/public/js/setup_wizard.js +257 apps/erpnext/erpnext/utilities/user_progress.py +39 List a few of your customers. They could be organizations or individuals. רשימה כמה מהלקוחות שלך. הם יכולים להיות ארגונים או יחידים.
431 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128 Direct Income הכנסה ישירה
432 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36 Can not filter based on Account, if grouped by Account לא יכול לסנן על פי חשבון, אם מקובצים לפי חשבון
433 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +121 Administrative Officer קצין מנהלי
434 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +342 Please select Company אנא בחר חברה
435 DocType: Stock Entry Detail Difference Account חשבון הבדל
436 apps/erpnext/erpnext/projects/doctype/task/task.py +46 Cannot close task as its dependant task {0} is not closed. לא יכולה לסגור משימה כמשימה התלויה {0} אינה סגורה.
437 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433 Please enter Warehouse for which Material Request will be raised נא להזין את המחסן שלבקשת חומר יועלה
516 DocType: Sales Invoice Timesheet Sales Invoice Timesheet גליון חשבונית מכירות
517 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +118 Reference No & Reference Date is required for {0} התייחסות לא & תאריך הפניה נדרש עבור {0}
518 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +181 Proposal Writing כתיבת הצעה
519 DocType: Payment Entry Deduction Payment Entry Deduction ניכוי קליט הוצאות
520 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35 Another Sales Person {0} exists with the same Employee id אדם אחר מכירות {0} קיים עם אותו זיהוי העובד
521 apps/erpnext/erpnext/config/accounts.py +80 Masters תואר שני
522 apps/erpnext/erpnext/config/accounts.py +140 Update Bank Transaction Dates תאריכי עסקת בנק Update
541 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24 Net Change in Inventory שינוי נטו במלאי
542 DocType: Employee Passport Number דרכון מספר
543 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115 Manager מנהל
544 apps/erpnext/erpnext/controllers/trends.py +39 'Based On' and 'Group By' can not be same 'מבוסס על-Based On' ו-'מקובץ על ידי-Group By' אינם יכולים להיות זהים.
545 DocType: Sales Person Sales Person Targets מטרות איש מכירות
546 DocType: Installation Note IN- In-
547 DocType: Production Order Operation In minutes בדקות
587 DocType: Purchase Receipt Other Details פרטים נוספים
588 DocType: Account Accounts חשבונות
589 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100 Marketing שיווק
590 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +284 Payment Entry is already created כניסת תשלום כבר נוצר
591 DocType: Purchase Receipt Item Supplied Current Stock מלאי נוכחי
592 apps/erpnext/erpnext/controllers/accounts_controller.py +558 Row #{0}: Asset {1} does not linked to Item {2} # שורה {0}: Asset {1} אינו קשור פריט {2}
593 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54 Account {0} has been entered multiple times חשבון {0} הוזן מספר פעמים
684 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49 Score must be less than or equal to 5 ציון חייב להיות קטן או שווה ל 5
685 DocType: Program Enrollment Tool Program Enrollment Tool כלי הרשמה לתכנית
686 apps/erpnext/erpnext/config/accounts.py +332 C-Form records רשומות C-טופס
687 apps/erpnext/erpnext/config/selling.py +311 Customer and Supplier לקוחות וספקים
688 DocType: Email Digest Email Digest Settings הגדרות Digest דוא"ל
689 apps/erpnext/erpnext/config/support.py +12 Support queries from customers. שאילתות התמיכה של לקוחות.
690 DocType: HR Settings Retirement Age גיל פרישה
735 DocType: Notification Control Expense Claim Rejected Message הודעת תביעת הוצאות שנדחו
736 Available Qty כמות זמינה
737 DocType: Purchase Taxes and Charges On Previous Row Total בשורה הקודמת סה"כ
738 DocType: Purchase Invoice Item Rejected Qty נדחה כמות
739 DocType: Salary Slip Working Days ימי עבודה
740 DocType: Serial No Incoming Rate שערי נכנסים
741 DocType: Packing Slip Gross Weight משקל ברוטו
759 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36 Please select the document type first אנא בחר את סוג המסמך ראשון
760 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65 Cancel Material Visits {0} before cancelling this Maintenance Visit ביקורי חומר לבטל {0} לפני ביטול תחזוקת הביקור הזה
761 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213 Serial No {0} does not belong to Item {1} מספר סידורי {0} אינו שייך לפריט {1}
762 DocType: Purchase Receipt Item Supplied Required Qty חובה כמות
763 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123 Warehouses with existing transaction can not be converted to ledger. מחסן עם עסקה קיימת לא ניתן להמיר לדג&#39;ר.
764 DocType: Bank Reconciliation Total Amount סה"כ לתשלום
765 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32 Internet Publishing הוצאה לאור באינטרנט
803 DocType: Job Opening Publish on website פרסם באתר
804 apps/erpnext/erpnext/config/stock.py +17 Shipments to customers. משלוחים ללקוחות.
805 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +624 Supplier Invoice Date cannot be greater than Posting Date תאריך חשבונית ספק לא יכול להיות גדול מ תאריך פרסום
806 DocType: Purchase Invoice Item Purchase Order Item לרכוש פריט להזמין
807 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132 Indirect Income הכנסות עקיפות
808 DocType: Cheque Print Template Date Settings הגדרות תאריך
809 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48 Variance שונות
840 DocType: Holiday List Holiday List Name שם רשימת החג
841 apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13 Schedule Course קורס לו&quot;ז
842 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +219 Stock Options אופציות
843 DocType: Journal Entry Account Expense Claim תביעת הוצאות
844 apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245 Do you really want to restore this scrapped asset? האם אתה באמת רוצה לשחזר נכס לגרוטאות זה?
845 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349 Qty for {0} כמות עבור {0}
846 DocType: Leave Application Leave Application החופשה Application
847 apps/erpnext/erpnext/config/hr.py +80 Leave Allocation Tool השאר הקצאת כלי
848 DocType: Leave Block List Leave Block List Dates השאר תאריכי בלוק רשימה
849 DocType: Workstation Net Hour Rate שערי שעה נטו
850 DocType: Landed Cost Purchase Receipt Landed Cost Purchase Receipt קבלת רכישת עלות נחתה
851 DocType: Company Default Terms תנאי ברירת מחדל
852 DocType: Packing Slip Item Packing Slip Item פריט Slip אריזה
860 DocType: Asset Total Number of Depreciations מספר כולל של פחת
861 DocType: Workstation Wages שכר
862 DocType: Task Urgent דחוף
863 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +157 Please specify a valid Row ID for row {0} in table {1} נא לציין מספר שורה תקפה לשורה {0} בטבלת {1}
864 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23 Go to the Desktop and start using ERPNext עבור לשולחן העבודה ולהתחיל להשתמש ERPNext
865 DocType: Item Manufacturer יצרן
866 DocType: Landed Cost Item Purchase Receipt Item פריט קבלת רכישה
920 DocType: Sales Partner Distributor מפיץ
921 DocType: Shopping Cart Shipping Rule Shopping Cart Shipping Rule כלל משלוח סל קניות
922 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233 Production Order {0} must be cancelled before cancelling this Sales Order ייצור להזמין {0} יש לבטל לפני ביטול הזמנת מכירות זה
923 apps/erpnext/erpnext/public/js/controllers/transaction.js +67 Please set 'Apply Additional Discount On' אנא הגדר &#39;החל הנחה נוספות ב&#39;
924 Ordered Items To Be Billed פריטים שהוזמנו להיות מחויב
925 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46 From Range has to be less than To Range מהטווח צריך להיות פחות מטווח
926 DocType: Global Defaults Global Defaults ברירות מחדל גלובליות
958 DocType: Email Digest Payables זכאי
959 DocType: Course Course Intro קורס מבוא
960 apps/erpnext/erpnext/stock/doctype/batch/batch.js +85 Stock Entry {0} created מאגר כניסת {0} נוצרה
961 apps/erpnext/erpnext/controllers/buying_controller.py +295 Row #{0}: Rejected Qty can not be entered in Purchase Return # השורה {0}: נדחו לא ניתן להזין כמות ברכישת חזרה
962 Purchase Order Items To Be Billed פריטים הזמנת רכש לחיוב
963 DocType: Purchase Invoice Item Net Rate שיעור נטו
964 DocType: Purchase Invoice Item Purchase Invoice Item לרכוש פריט החשבונית
999 DocType: Purchase Invoice Is Recurring האם חוזר
1000 DocType: Purchase Invoice Supplied Items פריטים שסופקו
1001 DocType: Student STUD. סוּס הַרבָּעָה.
1002 DocType: Production Order Qty To Manufacture כמות לייצור
1003 DocType: Buying Settings Maintain same rate throughout purchase cycle לשמור על אותו קצב לאורך כל מחזור הרכישה
1004 DocType: Opportunity Item Opportunity Item פריט הזדמנות
1005 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72 Temporary Opening פתיחה זמנית
1007 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147 Balance for Account {0} must always be {1} מאזן לחשבון {0} חייב תמיד להיות {1}
1008 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178 Valuation Rate required for Item in row {0} דרג הערכה הנדרשים פריט בשורת {0}
1009 apps/erpnext/erpnext/public/js/setup_wizard.js +331 apps/erpnext/erpnext/utilities/user_progress.py +123 Example: Masters in Computer Science דוגמה: שני במדעי המחשב
1010 DocType: Purchase Invoice Rejected Warehouse מחסן שנדחו
1011 DocType: GL Entry Against Voucher נגד שובר
1012 DocType: Item Default Buying Cost Center מרכז עלות רכישת ברירת מחדל
1013 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6 To get the best out of ERPNext, we recommend that you take some time and watch these help videos. כדי לקבל את הטוב ביותר של ERPNext, אנו ממליצים שתיקחו קצת זמן ולצפות בקטעי וידאו עזרה אלה.
1027 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14 Item 2 פריט 2
1028 DocType: Supplier SUPP- SUPP-
1029 DocType: Item Auto re-order רכב מחדש כדי
1030 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59 Total Achieved סה"כ הושג
1031 DocType: Employee Place of Issue מקום ההנפקה
1032 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92 Contract חוזה
1033 DocType: Email Digest Add Quote להוסיף ציטוט
1038 apps/erpnext/erpnext/accounts/page/pos/pos.js +750 Sync Master Data Sync Master Data
1039 apps/erpnext/erpnext/public/js/setup_wizard.js +296 apps/erpnext/erpnext/utilities/user_progress.py +92 Your Products or Services המוצרים או השירותים שלך
1040 DocType: Mode of Payment Mode of Payment מצב של תשלום
1041 apps/erpnext/erpnext/stock/doctype/item/item.py +178 Website Image should be a public file or website URL תמונה: אתר אינטרנט צריכה להיות קובץ ציבורי או כתובת אתר אינטרנט
1042 DocType: Purchase Invoice Item BOM BOM
1043 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37 This is a root item group and cannot be edited. מדובר בקבוצת פריט שורש ולא ניתן לערוך.
1044 DocType: Journal Entry Account Purchase Order הזמנת רכש
1045 DocType: Warehouse Warehouse Contact Info מחסן פרטים ליצירת קשר
1046 DocType: Payment Entry Write Off Difference Amount מחיקת חוב סכום הפרש
1047 DocType: Purchase Invoice Recurring Type סוג חוזר
1051 DocType: Purchase Invoice Item Item Tax Rate שיעור מס פריט
1052 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145 For {0}, only credit accounts can be linked against another debit entry עבור {0}, רק חשבונות האשראי יכולים להיות מקושרים נגד כניסת חיוב נוספת
1053 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +576 Delivery Note {0} is not submitted משלוח הערה {0} לא תוגש
1054 apps/erpnext/erpnext/stock/get_item_details.py +151 Item {0} must be a Sub-contracted Item פריט {0} חייב להיות פריט-נדבק Sub
1055 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43 Capital Equipments ציוד הון
1056 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. כלל תמחור נבחר ראשון המבוססת על 'החל ב'שדה, אשר יכול להיות פריט, קבוצת פריט או מותג.
1057 DocType: Hub Settings Seller Website אתר מוכר
1058 DocType: Item ITEM- פריט-
1059 apps/erpnext/erpnext/controllers/selling_controller.py +148 Total allocated percentage for sales team should be 100 אחוז הוקצה סה"כ לצוות מכירות צריך להיות 100
1060 DocType: Appraisal Goal Goal מטרה
1061 DocType: Sales Invoice Item Edit Description עריכת תיאור
1062 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +885 For Supplier לספקים
1063 DocType: Account Setting Account Type helps in selecting this Account in transactions. הגדרת סוג החשבון מסייעת בבחירת חשבון זה בעסקות.
1064 DocType: Purchase Invoice Grand Total (Company Currency) סך כולל (חברת מטבע)
1107 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33 Currency of the Closing Account must be {0} מטבע של חשבון הסגירה חייב להיות {0}
1108 apps/erpnext/erpnext/hr/doctype/appraisal_template/appraisal_template.py +21 Sum of points for all goals should be 100. It is {0} הסכום של נקודות לכל המטרות צריך להיות 100. זה {0}
1109 DocType: Project Start and End Dates תאריכי התחלה וסיום
1110 Delivered Items To Be Billed פריטים נמסרו לחיוב
1111 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +60 Warehouse cannot be changed for Serial No. מחסן לא ניתן לשנות למס 'סידורי
1112 DocType: Authorization Rule Average Discount דיסקונט הממוצע
1113 DocType: Purchase Invoice Item UOM יחידת מידה
1114 DocType: Rename Tool Utilities Utilities
1115 DocType: Purchase Invoice Item Accounting חשבונאות
1116 DocType: Employee EMP/ EMP /
1117 DocType: Asset Depreciation Schedules לוחות זמנים פחת
1185 DocType: Asset Movement apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144 Stock Manager Source warehouse is mandatory for row {0} ניהול מלאי מחסן המקור הוא חובה עבור שורת {0}
1186 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +809 Source warehouse is mandatory for row {0} Packing Slip מחסן המקור הוא חובה עבור שורת {0} Slip אריזה
1187 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +809 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110 Packing Slip Office Rent Slip אריזה השכרת משרד
1188 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110 apps/erpnext/erpnext/config/setup.py +111 Office Rent Setup SMS gateway settings השכרת משרד הגדרות שער SMS ההתקנה
1189 apps/erpnext/erpnext/config/setup.py +111 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60 Setup SMS gateway settings Import Failed! הגדרות שער SMS ההתקנה יבוא נכשל!
1190 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60 apps/erpnext/erpnext/public/js/templates/address_list.html +20 Import Failed! No address added yet. יבוא נכשל! אין כתובת הוסיפה עדיין.
1191 apps/erpnext/erpnext/public/js/templates/address_list.html +20 DocType: Workstation Working Hour No address added yet. Workstation Working Hour אין כתובת הוסיפה עדיין. Workstation עבודה שעה
1197 DocType: Opportunity apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37 With Items In Qty עם פריטים בכמות
1198 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37 DocType: Notification Control In Qty Expense Claim Rejected בכמות תביעה נדחתה חשבון
1199 DocType: Notification Control DocType: Item Expense Claim Rejected Item Attribute תביעה נדחתה חשבון תכונה פריט
DocType: Item Item Attribute תכונה פריט
1200 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +138 Government ממשלה
1201 apps/erpnext/erpnext/public/js/setup_wizard.js +55 apps/erpnext/erpnext/public/js/setup_wizard.js +59 Institute Name שם המוסד
1202 apps/erpnext/erpnext/config/stock.py +300 Item Variants גרסאות פריט
1203 DocType: Company Services שירותים
1204 DocType: HR Settings Email Salary Slip to Employee תלוש משכורת דוא&quot;ל לאותו עובד
1205 DocType: Cost Center Parent Cost Center מרכז עלות הורה
1206 DocType: Sales Invoice Source מקור
1207 apps/erpnext/erpnext/templates/pages/projects.html +31 Show closed הצג סגור
1212 DocType: Student Attendance Tool Students HTML HTML סטודנטים
1213 DocType: POS Profile Apply Discount חל הנחה
1214 DocType: Employee External Work History Total Experience ניסיון סה"כ
1215 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286 Packing Slip(s) cancelled Slip אריזה (ים) בוטל
1216 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31 Cash Flow from Investing תזרים מזומנים מהשקעות
1217 DocType: Program Course Program Course קורס תכנית
1218 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99 Freight and Forwarding Charges הוצאות הובלה והשילוח
1220 DocType: Item Group Item Group Name שם קבוצת פריט
1221 apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27 Taken לקחתי
1222 DocType: Pricing Rule For Price List למחירון
1223 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +27 Executive Search חיפוש הנהלה
1224 DocType: Maintenance Schedule Schedules לוחות זמנים
1225 DocType: Purchase Invoice Item Net Amount סכום נטו
1226 DocType: Purchase Order Item Supplied BOM Detail No פרט BOM לא
1227 DocType: Purchase Invoice Additional Discount Amount (Company Currency) סכום הנחה נוסף (מטבע חברה)
1268 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40 No Items to pack אין פריטים לארוז
1269 DocType: Shipping Rule Condition From Value מערך
1270 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555 Manufacturing Quantity is mandatory כמות ייצור היא תנאי הכרחית
1271 DocType: Products Settings If checked, the Home page will be the default Item Group for the website אם אפשרות זו מסומנת, בדף הבית יהיה בקבוצת פריט ברירת מחדל עבור האתר
1272 DocType: Quality Inspection Reading Reading 4 קריאת 4
1273 apps/erpnext/erpnext/config/hr.py +127 Claims for company expense. תביעות לחשבון חברה.
1274 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81 Row #{0}: Clearance date {1} cannot be before Cheque Date {2} # שורה {0}: תאריך עמילות {1} לא יכול להיות לפני תאריך המחאה {2}
1303 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198 Serial No {0} quantity {1} cannot be a fraction לא {0} כמות סידורי {1} לא יכולה להיות חלק
1304 apps/erpnext/erpnext/config/buying.py +43 Supplier Type master. סוג ספק אמן.
1305 DocType: Purchase Order Item Supplier Part Number ספק מק"ט
1306 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +104 Conversion rate cannot be 0 or 1 שער המרה לא יכול להיות 0 או 1
1307 DocType: Sales Invoice Reference Document מסמך ההפניה
1308 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213 {0} {1} is cancelled or stopped {0} {1} יבוטל או הפסיק
1309 DocType: Accounts Settings Credit Controller בקר אשראי
1398 DocType: Asset Gross Purchase Amount סכום רכישה גרוס
1399 DocType: Asset Depreciation Method שיטת הפחת
1400 DocType: Purchase Taxes and Charges Is this Tax included in Basic Rate? האם מס זה כלול ביסוד שיעור?
1401 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56 Total Target יעד סה"כ
1402 DocType: Job Applicant Applicant for a Job מועמד לעבודה
1403 DocType: Production Plan Material Request Production Plan Material Request בקשת חומר תכנית ייצור
1404 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235 No Production Orders created אין הזמנות ייצור שנוצרו
1405 DocType: Stock Reconciliation Reconciliation JSON הפיוס JSON
1406 apps/erpnext/erpnext/accounts/report/financial_statements.html +3 Too many columns. Export the report and print it using a spreadsheet application. יותר מדי עמודות. לייצא את הדוח ולהדפיס אותו באמצעות יישום גיליון אלקטרוני.
1407 DocType: Purchase Invoice Item Batch No אצווה לא
1408 DocType: Selling Settings Allow multiple Sales Orders against a Customer's Purchase Order לאפשר הזמנות ומכירות מרובות נגד הלקוח הזמנת הרכש
1409 apps/erpnext/erpnext/setup/doctype/company/company.py +204 apps/erpnext/erpnext/setup/doctype/company/company.py +201 Main ראשי
1410 apps/erpnext/erpnext/stock/doctype/item/item.js +60 Variant Variant
1430 apps/erpnext/erpnext/config/hr.py +137 Appraisals ערכות
1431 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205 Duplicate Serial No entered for Item {0} לשכפל מספר סידורי נכנס לפריט {0}
1432 DocType: Shipping Rule Condition A condition for a Shipping Rule תנאי עבור כלל משלוח
1433 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212 Please set filter based on Item or Warehouse אנא להגדיר מסנן מבוסס על פריט או מחסן
1434 DocType: Packing Slip The net weight of this package. (calculated automatically as sum of net weight of items) משקל נטו של חבילה זו. (מחושב באופן אוטומטי כסכום של משקל נטו של פריטים)
1435 DocType: Sales Order To Deliver and Bill לספק וביל
1436 DocType: GL Entry Credit Amount in Account Currency סכום אשראי במטבע חשבון
1472 DocType: Sales Order Item apps/erpnext/erpnext/config/accounts.py +243 Delivery Warehouse Tree of financial Cost Centers. מחסן אספקה עץ מרכזי עלות הכספיים.
1473 apps/erpnext/erpnext/config/accounts.py +243 DocType: Serial No Tree of financial Cost Centers. Delivery Document No עץ מרכזי עלות הכספיים. משלוח מסמך לא
1474 DocType: Serial No apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +190 Delivery Document No Please set 'Gain/Loss Account on Asset Disposal' in Company {0} משלוח מסמך לא אנא הגדירו &#39;החשבון רווח / הפסד בעת מימוש הנכסים בחברה {0}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +190 Please set 'Gain/Loss Account on Asset Disposal' in Company {0} אנא הגדירו &#39;החשבון רווח / הפסד בעת מימוש הנכסים בחברה {0}
1475 DocType: Landed Cost Voucher Get Items From Purchase Receipts לקבל פריטים מתקבולי הרכישה
1476 DocType: Serial No Creation Date תאריך יצירה
1477 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33 Item {0} appears multiple times in Price List {1} פריט {0} מופיע מספר פעמים במחירון {1}
1478 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40 Selling must be checked, if Applicable For is selected as {0} מכירה חייבת להיבדק, אם לישים שנבחרה הוא {0}
1479 DocType: Production Plan Material Request Material Request Date תאריך בקשת חומר
1480 DocType: Purchase Order Item Supplier Quotation Item פריט הצעת המחיר של ספק
1515 DocType: Sales Person DocType: Website Item Group Name and Employee ID Website Item Group שם והעובדים ID קבוצת פריט באתר
1516 apps/erpnext/erpnext/accounts/party.py +303 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150 Due Date cannot be before Posting Date Duties and Taxes תאריך יעד לא יכול להיות לפני פרסום תאריך חובות ומסים
1517 DocType: Website Item Group apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356 Website Item Group Please enter Reference date קבוצת פריט באתר נא להזין את תאריך הפניה
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150 Duties and Taxes חובות ומסים
1518 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44 Please enter Reference date {0} payment entries can not be filtered by {1} נא להזין את תאריך הפניה לא יכולים להיות מסוננים {0} ערכי תשלום על ידי {1}
1519 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44 DocType: Item Website Specification {0} payment entries can not be filtered by {1} Table for Item that will be shown in Web Site לא יכולים להיות מסוננים {0} ערכי תשלום על ידי {1} שולחן לפריט שיוצג באתר אינטרנט
1520 DocType: Item Website Specification DocType: Purchase Order Item Supplied Table for Item that will be shown in Web Site Supplied Qty שולחן לפריט שיוצג באתר אינטרנט כמות שסופק
1522 DocType: Purchase Order Item apps/erpnext/erpnext/config/selling.py +75 Material Request Item Tree of Item Groups. פריט בקשת חומר עץ של קבוצות פריט.
1523 apps/erpnext/erpnext/config/selling.py +75 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +160 Tree of Item Groups. Cannot refer row number greater than or equal to current row number for this Charge type עץ של קבוצות פריט. לא יכול להתייחס מספר השורה גדול או שווה למספר השורה הנוכחי לסוג השעבוד זה
1524 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +160 DocType: Asset Cannot refer row number greater than or equal to current row number for this Charge type Sold לא יכול להתייחס מספר השורה גדול או שווה למספר השורה הנוכחי לסוג השעבוד זה נמכר
DocType: Asset Sold נמכר
1525 Item-wise Purchase History היסטוריה רכישת פריט-חכם
1526 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230 Please click on 'Generate Schedule' to fetch Serial No added for Item {0} אנא לחץ על 'צור לוח זמנים' כדי להביא מספר סידורי הוסיפה לפריט {0}
1527 DocType: Account Frozen קפוא
1585 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98 Total allocated leaves {0} cannot be less than already approved leaves {1} for the period עלים כולל שהוקצו {0} לא יכולים להיות פחות מעלים שכבר אושרו {1} לתקופה
1586 DocType: Journal Entry Accounts Receivable חשבונות חייבים
1587 Supplier-Wise Sales Analytics ספק-Wise Analytics המכירות
1588 apps/erpnext/erpnext/schools/doctype/fees/fees.js +41 Enter Paid Amount זן הסכום ששולם
1589 DocType: Production Order Use Multi-Level BOM השתמש Multi-Level BOM
1590 DocType: Bank Reconciliation Include Reconciled Entries כוללים ערכים מפוייס
1591 DocType: Leave Control Panel Leave blank if considered for all employee types שאר ריק אם נחשב לכל סוגי העובדים
1615 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}
1616 apps/erpnext/erpnext/templates/emails/reorder_item.html +1 Following Material Requests have been raised automatically based on Item's re-order level בעקבות בקשות חומר הועלה באופן אוטומטי המבוסס על הרמה מחדש כדי של הפריט
1617 apps/erpnext/erpnext/controllers/accounts_controller.py +292 Account {0} is invalid. Account Currency must be {1} חשבון {0} אינו חוקי. מטבע חשבון חייב להיות {1}
1618 apps/erpnext/erpnext/buying/utils.py +34 UOM Conversion factor is required in row {0} גורם של אוני 'מישגן ההמרה נדרש בשורת {0}
1619 DocType: Production Plan Item material_request_item material_request_item
1620 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 סוג המסמך חייב להיות אחד להזמין מכירות, חשבוניות מכירות או תנועת יומן
1621 DocType: Salary Component Deduction ניכוי
1622 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115 Row {0}: From Time and To Time is mandatory. שורת {0}: מעת לעת ו היא חובה.
1623 apps/erpnext/erpnext/stock/get_item_details.py +297 Item Price added for {0} in Price List {1} מחיר הפריט נוסף עבור {0} ב מחירון {1}
1624 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8 Please enter Employee Id of this sales person נא להזין את עובדי זיהוי של איש מכירות זה
1625 DocType: Territory Classification of Customers by region סיווג של לקוחות מאזור לאזור
1626 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57 Difference Amount must be zero סכום ההבדל חייב להיות אפס
1627 DocType: Project Gross Margin שיעור רווח גולמי
1628 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53 Please enter Production Item first אנא ראשון להיכנס פריט הפקה
1629 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45 Calculated Bank Statement balance מאזן חשבון בנק מחושב
1630 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64 disabled user משתמשים נכים
1631 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +764 Quotation הצעת מחיר
1665 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29 -Above -מעל
1666 DocType: Leave Application Total Leave Days ימי חופשה סה"כ
1667 DocType: Email Digest Note: Email will not be sent to disabled users הערה: דואר אלקטרוני לא יישלח למשתמשים בעלי מוגבלויות
1668 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39 Select Company... בחר חברה ...
1669 DocType: Leave Control Panel Leave blank if considered for all departments שאר ריק אם תיחשב לכל המחלקות
1670 apps/erpnext/erpnext/config/hr.py +219 Types of employment (permanent, contract, intern etc.). סוגי התעסוקה (קבוע, חוזה, וכו 'מתמחה).
1671 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422 {0} is mandatory for Item {1} {0} הוא חובה עבור פריט {1}
1676 DocType: Purchase Invoice Item Rate (Company Currency) שיעור (חברת מטבע)
1677 DocType: Student Guardian Others אחרים
1678 DocType: Payment Entry Unallocated Amount סכום שלא הוקצה
1679 apps/erpnext/erpnext/templates/includes/product_page.js +71 Cannot find a matching Item. Please select some other value for {0}. לא ניתן למצוא את הפריט מתאים. אנא בחר ערך אחר עבור {0}.
1680 DocType: POS Profile Taxes and Charges מסים והיטלים ש
1681 DocType: Item A Product or a Service that is bought, sold or kept in stock. מוצר או שירות שנקנה, נמכר או מוחזק במלאי.
1682 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154 Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row לא ניתן לבחור סוג תשלום כ'בסכום שורה הקודם "או" בסך הכל שורה הקודם 'לשורה הראשונה
1710 DocType: Purchase Invoice Item Qty כמות
1711 DocType: Fiscal Year Companies חברות
1712 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24 Electronics אלקטרוניקה
1713 DocType: Stock Settings Raise Material Request when stock reaches re-order level להעלות בקשת חומר כאשר המלאי מגיע לרמה מחדש כדי
1714 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +89 Full-time משרה מלאה
1715 DocType: Employee Contact Details פרטי
1716 DocType: C-Form Received Date תאריך קבלה
1723 DocType: Quality Inspection Quality Manager מנהל איכות
1724 DocType: Job Applicant Job Opening פתיחת עבודה
1725 DocType: Payment Reconciliation Payment Reconciliation פיוס תשלום
1726 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153 Please select Incharge Person's name אנא בחר את שמו של אדם Incharge
1727 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51 Technology טכנולוגיה
1728 apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13 Offer Letter להציע מכתב
1729 apps/erpnext/erpnext/config/manufacturing.py +18 Generate Material Requests (MRP) and Production Orders. צור בקשות חומר (MRP) והזמנות ייצור.
1736 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148 For {0}, only debit accounts can be linked against another credit entry עבור {0}, רק חשבונות החיוב יכולים להיות מקושרים נגד כניסת אשראי אחרת
1737 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27 Price List {0} is disabled מחיר המחירון {0} אינו זמין
1738 DocType: Manufacturing Settings Allow Overtime לאפשר שעות נוספות
1739 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201 {0} Serial Numbers required for Item {1}. You have provided {2}. {0} מספרים סידוריים הנדרשים לפריט {1}. שסיפקת {2}.
1740 DocType: Stock Reconciliation Item Current Valuation Rate דרג הערכה נוכחי
1741 DocType: Item Customer Item Codes קודי פריט לקוחות
1742 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122 Exchange Gain/Loss Exchange רווח / הפסד
1827 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100 apps/erpnext/erpnext/config/crm.py +6 Group by Voucher Sales Pipeline קבוצה על ידי שובר צינור מכירות
1828 apps/erpnext/erpnext/config/crm.py +6 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7 Sales Pipeline Required On צינור מכירות הנדרש על
1829 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7 DocType: Rename Tool Required On File to Rename הנדרש על קובץ לשינוי השם
1830 DocType: Rename Tool apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204 File to Rename Please select BOM for Item in Row {0} קובץ לשינוי השם אנא בחר BOM עבור פריט בטור {0}
1831 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204 apps/erpnext/erpnext/controllers/buying_controller.py +268 Please select BOM for Item in Row {0} Specified BOM {0} does not exist for Item {1} אנא בחר BOM עבור פריט בטור {0} BOM צוין {0} אינו קיימת עבור פריט {1}
1832 apps/erpnext/erpnext/controllers/buying_controller.py +268 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221 Specified BOM {0} does not exist for Item {1} Maintenance Schedule {0} must be cancelled before cancelling this Sales Order BOM צוין {0} אינו קיימת עבור פריט {1} לוח זמנים תחזוקת {0} יש לבטל לפני ביטול הזמנת מכירות זה
1833 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221 DocType: Notification Control Maintenance Schedule {0} must be cancelled before cancelling this Sales Order Expense Claim Approved לוח זמנים תחזוקת {0} יש לבטל לפני ביטול הזמנת מכירות זה תביעת הוצאות שאושרה
1834 DocType: Notification Control apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +319 Expense Claim Approved Salary Slip of employee {0} already created for this period תביעת הוצאות שאושרה תלוש משכורת של עובד {0} נוצר כבר בתקופה זו
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +319 Salary Slip of employee {0} already created for this period תלוש משכורת של עובד {0} נוצר כבר בתקופה זו
1835 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146 Pharmaceutical תרופות
1836 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26 Cost of Purchased Items עלות של פריטים שנרכשו
1837 DocType: Selling Settings Sales Order Required סדר הנדרש מכירות
1857 apps/erpnext/erpnext/utilities/transaction_base.py +96 Invalid reference {0} {1} התייחסות לא חוקית {0} {1}
1858 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}
1859 DocType: Shipping Rule Shipping Rule Label תווית כלל משלוח
1860 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +287 Raw Materials cannot be blank. חומרי גלם לא יכולים להיות ריקים.
1861 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +486 Could not update stock, invoice contains drop shipping item. לא ניתן לעדכן מניות, חשבונית מכילה פריט ירידת משלוח.
1862 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +484 Quick Journal Entry מהיר יומן
1863 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +169 You can not change rate if BOM mentioned agianst any item אתה לא יכול לשנות את השיעור אם BOM ציינו agianst כל פריט
1874 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116 Please save the document before generating maintenance schedule אנא שמור את המסמך לפני יצירת לוח זמנים תחזוקה
1875 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28 Project Status סטטוס פרויקט
1876 DocType: UOM Check this to disallow fractions. (for Nos) לבדוק את זה כדי לאסור שברים. (למס)
1877 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428 The following Production Orders were created: הזמנות הייצור הבאות נוצרו:
1878 DocType: Delivery Note Transporter Name שם Transporter
1879 DocType: Authorization Rule Authorized Value ערך מורשה
1880 Minutes to First Response for Opportunity דקות תגובה ראשונה הזדמנות
1894 apps/erpnext/erpnext/config/manufacturing.py +46 Tree of Bill of Materials עץ של הצעת החוק של חומרים
1895 DocType: Student Joining Date תאריך הצטרפות
1896 Employees working on a holiday עובד לעבוד בחופשה
1897 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +152 Mark Present מארק הווה
1898 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +200 Maintenance start date can not be before delivery date for Serial No {0} תאריך התחלת תחזוקה לא יכול להיות לפני מועד אספקה למספר סידורי {0}
1899 DocType: Production Order Actual End Date תאריך סיום בפועל
1900 DocType: Purchase Invoice PINV- PINV-
2058 DocType: Stock Settings Default Valuation Method שיטת הערכת ברירת מחדל
2059 DocType: Production Order Operation Planned Start Time מתוכנן זמן התחלה
2060 DocType: Payment Entry Reference Allocated הוקצה
2061 apps/erpnext/erpnext/config/accounts.py +269 Close Balance Sheet and book Profit or Loss. גיליון קרוב מאזן ורווח או הפסד ספר.
2062 DocType: Student Applicant Application Status סטטוס של יישום
2063 DocType: Fees Fees אגרות
2064 DocType: Currency Exchange Specify Exchange Rate to convert one currency into another ציין שער חליפין להמיר מטבע אחד לעוד
2065 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158 Quotation {0} is cancelled ציטוט {0} יבוטל
2066 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25 Total Outstanding Amount סכום חוב סך הכל
2067 DocType: Sales Partner Targets יעדים
2068 DocType: Price List Price List Master מחיר מחירון Master
2069 DocType: Sales Person All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets. יכולות להיות מתויגות כל עסקות המכירה מול אנשי מכירות ** ** מרובים, כך שאתה יכול להגדיר ולעקוב אחר מטרות.
2076 DocType: Employee AB- האבווהר
2077 DocType: POS Profile Ignore Pricing Rule התעלם כלל תמחור
2078 DocType: Employee Education Graduate בוגר
2079 DocType: Leave Block List Block Days ימי בלוק
2080 DocType: Journal Entry Excise Entry בלו כניסה
2081 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64 Warning: Sales Order {0} already exists against Customer's Purchase Order {1} אזהרה: מכירות להזמין {0} כבר קיימת נגד הלקוח הזמנת רכש {1}
2082 DocType: Terms and Conditions Standard Terms and Conditions that can be added to Sales and Purchases. Examples: 1. Validity of the offer. 1. Payment Terms (In Advance, On Credit, part advance etc). 1. What is extra (or payable by the Customer). 1. Safety / usage warning. 1. Warranty if any. 1. Returns Policy. 1. Terms of shipping, if applicable. 1. Ways of addressing disputes, indemnity, liability, etc. 1. Address and Contact of your Company. תנאים והגבלות רגילים שניתן להוסיף למכירות ורכישות. דוגמאות: 1. זכאותה של ההצעה. 1. תנאי תשלום (מראש, באשראי, מראש חלק וכו '). 1. מהו נוסף (או שישולם על ידי הלקוח). אזהרה / שימוש 1. בטיחות. 1. אחריות אם בכלל. 1. החזרות מדיניות. 1. תנאי משלוח, אם קיימים. 1. דרכים להתמודדות עם סכסוכים, שיפוי, אחריות, וכו 'כתובת 1. ולתקשר של החברה שלך.
2085 apps/erpnext/erpnext/stock/doctype/item/item_list.js +8 Shortage מחסור
2086 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +207 {0} {1} does not associated with {2} {3} {0} {1} אינו קשור {2} {3}
2087 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18 Attendance for employee {0} is already marked נוכחות לעובדי {0} כבר מסומנת
2088 DocType: Packing Slip If more than one package of the same type (for print) אם חבילה אחד או יותר מאותו הסוג (להדפסה)
2089 DocType: Warehouse Parent Warehouse מחסן הורה
2090 DocType: C-Form Invoice Detail Net Total סה"כ נקי
2091 DocType: Bin FCFS Rate FCFS שערי
2092 DocType: Payment Reconciliation Invoice Outstanding Amount כמות יוצאת דופן
2093 DocType: Project Task Working עבודה
2094 DocType: Stock Ledger Entry Stock Queue (FIFO) המניה Queue (FIFO)
2095 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +41 {0} does not belong to Company {1} {0} אינו שייך לחברת {1}
2096 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +119 Cost as on עלות כמו על
2097 DocType: Account Round Off להשלים
2098 Requested Qty כמות המבוקשת
2099 DocType: Tax Rule Use for Shopping Cart השתמש לסל קניות
2100 apps/erpnext/erpnext/controllers/item_variant.py +96 Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2} הערך {0} עבור תכונה {1} לא קיים ברשימת פריט תקף תכונה ערכים עבור פריט {2}
2198 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136 Row {0}: Advance against Customer must be credit שורת {0}: מראש נגד הלקוח חייב להיות אשראי
2199 apps/erpnext/erpnext/accounts/doctype/account/account.js +83 Non-Group to Group ללא מקבוצה לקבוצה
2200 DocType: Purchase Receipt Item Supplied Purchase Receipt Item Supplied פריט קבלת רכישה מסופק
2201 DocType: Payment Entry Pay שלם
2202 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24 To Datetime לDatetime
2203 apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54 Course Schedules deleted: קורס לוחות זמנים נמחקו:
2204 apps/erpnext/erpnext/config/selling.py +297 Logs for maintaining sms delivery status יומנים לשמירה על סטטוס משלוח SMS
2216 apps/erpnext/erpnext/accounts/doctype/account/account.py +131 Account with child nodes cannot be converted to ledger חשבון עם בלוטות ילד לא יכול להיות מומר לדג'ר
2217 DocType: Purchase Invoice Item Accepted Warehouse מחסן מקובל
2218 DocType: Bank Reconciliation Detail Posting Date תאריך פרסום
2219 DocType: Item Valuation Method שיטת הערכת שווי
2220 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +203 Mark Half Day יום חצי מארק
2221 DocType: Sales Invoice Sales Team צוות מכירות
2222 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85 Duplicate entry כניסה כפולה
2236 DocType: Shopping Cart Settings Orders הזמנות
2237 DocType: Employee Leave Approver Leave Approver השאר מאשר
2238 DocType: Manufacturing Settings Material Transferred for Manufacture חומר הועבר לייצור
2239 DocType: Expense Claim A user with "Expense Approver" role משתמש עם תפקיד "הוצאות מאשר"
2240 DocType: Landed Cost Item Receipt Document Type סוג מסמך קבלה
2241 Issued Items Against Production Order פריטים שהוצאו נגד להזמין הפקה
2242 DocType: Target Detail Target Detail פרט היעד
2249 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49 Supplier(s) ספק (ים)
2250 DocType: Employee Attendance Tool Employee Attendance Tool כלי נוכחות עובדים
2251 DocType: Supplier Credit Limit מגבלת אשראי
2252 DocType: Production Plan Sales Order Salse Order Date תאריך להזמין Salse
2253 DocType: Salary Component Salary Component מרכיב השכר
2254 apps/erpnext/erpnext/accounts/utils.py +490 Payment Entries {0} are un-linked פוסט תשלומים {0} הם בלתי צמודים
2255 DocType: GL Entry Voucher No שובר לא
2369 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28 apps/erpnext/erpnext/accounts/doctype/account/account.py +101 Message Sent Account with child nodes cannot be set as ledger הודעה נשלחה חשבון עם בלוטות ילד לא ניתן להגדיר כחשבונות
2370 apps/erpnext/erpnext/accounts/doctype/account/account.py +101 DocType: C-Form Account with child nodes cannot be set as ledger II חשבון עם בלוטות ילד לא ניתן להגדיר כחשבונות שני
2371 DocType: C-Form DocType: Sales Invoice II Rate at which Price list currency is converted to customer's base currency שני קצב שבו רשימת מחיר המטבע מומר למטבע הבסיס של הלקוח
DocType: Sales Invoice Rate at which Price list currency is converted to customer's base currency קצב שבו רשימת מחיר המטבע מומר למטבע הבסיס של הלקוח
2372 DocType: Purchase Invoice Item Net Amount (Company Currency) סכום נטו (חברת מטבע)
2373 DocType: Salary Slip Hour Rate שעה שערי
2374 DocType: Stock Settings Item Naming By פריט מתן שמות על ידי
2388 DocType: Packing Slip The gross weight of the package. Usually net weight + packaging material weight. (for print) המשקל הכולל של החבילה. בדרך כלל משקל נטו + משקל חומרי אריזה. (להדפסה)
2389 apps/erpnext/erpnext/schools/doctype/course/course.js +3 Program תָכְנִית
2390 DocType: Accounts Settings Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts משתמשים עם תפקיד זה מותר להגדיר חשבונות קפוא וליצור / לשנות רישומים חשבונאיים נגד חשבונות מוקפאים
2391 DocType: Serial No Is Cancelled האם בוטל
2392 DocType: Journal Entry Bill Date תאריך ביל
2393 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45 Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied: גם אם יש כללי תמחור מרובים עם העדיפות הגבוהה ביותר, סדרי עדיפויות פנימיים אז להלן מיושמות:
2394 DocType: Cheque Print Template Cheque Height גובה המחאה
2453 DocType: C-Form DocType: Account C-FORM- Payable C-טפסים רשמיים משתלם
2454 DocType: Account apps/erpnext/erpnext/shopping_cart/cart.py +365 Payable Debtors ({0}) משתלם חייבים ({0})
2455 apps/erpnext/erpnext/shopping_cart/cart.py +365 DocType: Pricing Rule Debtors ({0}) Margin חייבים ({0}) Margin
2456 DocType: Pricing Rule apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57 Margin New Customers Margin לקוחות חדשים
2457 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76 New Customers Gross Profit % לקוחות חדשים % רווח גולמי
2458 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76 DocType: Appraisal Goal Gross Profit % Weightage (%) % רווח גולמי Weightage (%)
2459 DocType: Appraisal Goal DocType: Bank Reconciliation Detail Weightage (%) Clearance Date Weightage (%) תאריך אישור
2490 DocType: Territory DocType: Delivery Note Territory Targets Transporter Info מטרות שטח Transporter מידע
2491 DocType: Delivery Note apps/erpnext/erpnext/accounts/utils.py +497 Transporter Info Please set default {0} in Company {1} Transporter מידע אנא קבע את ברירת המחדל {0} ב החברה {1}
2492 apps/erpnext/erpnext/accounts/utils.py +497 DocType: Cheque Print Template Please set default {0} in Company {1} Starting position from top edge אנא קבע את ברירת המחדל {0} ב החברה {1} התחלה מן הקצה העליון
DocType: Cheque Print Template Starting position from top edge התחלה מן הקצה העליון
2493 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +31 Same supplier has been entered multiple times ספק זהה הוזן מספר פעמים
2494 DocType: Purchase Order Item Supplied Purchase Order Item Supplied לרכוש פריט להזמין מסופק
2495 apps/erpnext/erpnext/public/js/setup_wizard.js +129 apps/erpnext/erpnext/public/js/setup_wizard.js +139 Company Name cannot be Company שם חברה לא יכול להיות חברה
2520 apps/erpnext/erpnext/templates/includes/cart/cart_items.html +29 Rate: {0} שיעור: {0}
2521 DocType: Company Exchange Gain / Loss Account Exchange רווח / והפסד
2522 apps/erpnext/erpnext/config/hr.py +7 Employee and Attendance עובד ונוכחות
2523 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +78 Purpose must be one of {0} למטרה צריך להיות אחד {0}
2524 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +105 Fill the form and save it מלא את הטופס ולשמור אותו
2525 DocType: Production Planning Tool Download a report containing all raw materials with their latest inventory status הורד דוח המכיל את כל חומרי הגלם עם מצב המלאי האחרון שלהם
2526 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26 Community Forum פורום הקהילה
2549 apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71 No students Found אין תלמידים נמצאו
2550 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55 Invoice Posting Date תאריך פרסום חשבונית
2551 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25 Sell מכירה
2552 DocType: Sales Invoice Rounded Total סה"כ מעוגל
2553 DocType: Product Bundle List items that form the package. פריטי רשימה היוצרים את החבילה.
2554 apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26 Percentage Allocation should be equal to 100% אחוז ההקצאה צריכה להיות שווה ל- 100%
2555 DocType: Serial No Out of AMC מתוך AMC
2612 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77 Cash or Bank Account is mandatory for making payment entry חשבון מזומן או בנק הוא חובה להכנת כניסת תשלום
2613 DocType: Purchase Invoice Price List Exchange Rate מחיר מחירון שער חליפין
2614 DocType: Purchase Invoice Item Rate שיעור
2615 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95 Intern Intern
2616 DocType: Stock Entry From BOM מBOM
2617 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +64 Basic בסיסי
2618 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94 Stock transactions before {0} are frozen עסקות המניה לפני {0} קפואים
2642 DocType: Fiscal Year Year Name שם שנה
2643 DocType: Process Payroll Process Payroll שכר תהליך
2644 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +238 There are more holidays than working days this month. ישנם יותר מ חגי ימי עבודה בחודש זה.
2645 DocType: Product Bundle Item Product Bundle Item פריט Bundle מוצר
2646 DocType: Sales Partner Sales Partner Name שם שותף מכירות
2647 apps/erpnext/erpnext/hooks.py +119 apps/erpnext/erpnext/hooks.py +123 Request for Quotations בקשת ציטטות
2648 DocType: Payment Reconciliation Maximum Invoice Amount סכום חשבונית מרבי
2649 apps/erpnext/erpnext/config/selling.py +23 Customers לקוחות
2650 DocType: Asset Partially Depreciated חלקי מופחת
2651 DocType: Issue Opening Time מועד פתיחה
2652 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92 From and To dates required ומכדי התאריכים מבוקשים ל
2669 DocType: Leave Application Follow via Email עקוב באמצעות דוא"ל
2670 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55 Plants and Machineries צמחי Machineries
2671 DocType: Purchase Taxes and Charges Tax Amount After Discount Amount סכום מס לאחר סכום הנחה
2672 DocType: Payment Entry Internal Transfer העברה פנימית
2673 apps/erpnext/erpnext/accounts/doctype/account/account.py +179 Child account exists for this account. You can not delete this account. חשבון ילד קיים עבור חשבון זה. אתה לא יכול למחוק את החשבון הזה.
2674 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19 Either target qty or target amount is mandatory כך או כמות היעד או סכום היעד היא חובה
2675 apps/erpnext/erpnext/stock/get_item_details.py +527 No default BOM exists for Item {0} אין ברירת מחדל BOM קיימת עבור פריט {0}
2676 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +359 Please select Posting Date first אנא בחר תחילה תאריך פרסום
2677 apps/erpnext/erpnext/public/js/account_tree_grid.js +210 Opening Date should be before Closing Date פתיחת תאריך צריכה להיות לפני סגירת תאריך
2701 apps/erpnext/erpnext/public/js/setup_wizard.js +311 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29 Hour New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt שעה מספר סידורי חדש לא יכול להיות מחסן. מחסן חייב להיות מוגדר על ידי Stock כניסה או קבלת רכישה
2702 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29 DocType: Lead New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt Lead Type מספר סידורי חדש לא יכול להיות מחסן. מחסן חייב להיות מוגדר על ידי Stock כניסה או קבלת רכישה סוג עופרת
2703 DocType: Lead apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133 Lead Type You are not authorized to approve leaves on Block Dates סוג עופרת אתה לא מורשה לאשר עלים בתאריכי הבלוק
2704 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383 You are not authorized to approve leaves on Block Dates All these items have already been invoiced אתה לא מורשה לאשר עלים בתאריכי הבלוק כל הפריטים הללו כבר חשבונית
2705 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37 All these items have already been invoiced Can be approved by {0} כל הפריטים הללו כבר חשבונית יכול להיות מאושר על ידי {0}
2706 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13 Can be approved by {0} Unknown יכול להיות מאושר על ידי {0} לא ידוע
2707 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js +13 DocType: Shipping Rule Unknown Shipping Rule Conditions לא ידוע משלוח תנאי Rule
2722 DocType: Stock Entry DocType: Stock Settings Update Rate and Availability Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units. עדכון תעריף וזמינות אחוז מותר לך לקבל או למסור יותר נגד כל הכמות המוזמנת. לדוגמא: אם יש לך הורה 100 יחידות. והפרשה שלך הוא 10% אז אתה רשאי לקבל 110 יחידות.
2723 DocType: Stock Settings DocType: POS Customer Group Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units. Customer Group אחוז מותר לך לקבל או למסור יותר נגד כל הכמות המוזמנת. לדוגמא: אם יש לך הורה 100 יחידות. והפרשה שלך הוא 10% אז אתה רשאי לקבל 110 יחידות. קבוצת לקוחות
2724 DocType: POS Customer Group apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +197 Customer Group Expense account is mandatory for item {0} קבוצת לקוחות חשבון הוצאות הוא חובה עבור פריט {0}
2725 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +197 DocType: BOM Expense account is mandatory for item {0} Website Description חשבון הוצאות הוא חובה עבור פריט {0} תיאור אתר
2726 DocType: BOM apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42 Website Description Net Change in Equity תיאור אתר שינוי נטו בהון עצמי
2727 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +163 Net Change in Equity Please cancel Purchase Invoice {0} first שינוי נטו בהון עצמי אנא בטל חשבונית רכישת {0} ראשון
2728 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +163 DocType: Serial No Please cancel Purchase Invoice {0} first AMC Expiry Date אנא בטל חשבונית רכישת {0} ראשון תאריך תפוגה AMC
2740 DocType: GL Entry DocType: Item Against Voucher Type Attributes נגד סוג השובר תכונות
2741 DocType: Item apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +222 Attributes Please enter Write Off Account תכונות נא להזין לכתוב את החשבון
2742 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +222 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71 Please enter Write Off Account Last Order Date נא להזין לכתוב את החשבון התאריך אחרון סדר
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71 Last Order Date התאריך אחרון סדר
2743 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47 Account {0} does not belongs to company {1} חשבון {0} אינו שייך לחברת {1}
2744 DocType: C-Form C-Form C-טופס
2745 apps/erpnext/erpnext/config/hr.py +18 Mark Attendance for multiple employees מארק נוכחות לעובדים מרובים
2754 DocType: Appraisal Template Appraisal Template Title הערכת תבנית כותרת
2755 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114 apps/erpnext/erpnext/utilities/user_progress_utils.py +23 Commercial מסחרי
2756 DocType: Payment Entry Account Paid To חשבון םלושש
2757 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24 Parent Item {0} must not be a Stock Item פריט הורה {0} לא חייב להיות פריט במלאי
2758 apps/erpnext/erpnext/config/selling.py +57 All Products or Services. כל המוצרים או שירותים.
2759 DocType: Expense Claim More Details לפרטים נוספים
2760 DocType: Supplier Quotation Supplier Address כתובת ספק
2772 DocType: Tax Rule Billing State מדינת חיוב
2773 apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287 Transfer העברה
2774 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882 Fetch exploded BOM (including sub-assemblies) תביא BOM התפוצץ (כולל תת מכלולים)
2775 DocType: Authorization Rule Applicable To (Employee) כדי ישים (עובד)
2776 apps/erpnext/erpnext/controllers/accounts_controller.py +123 Due Date is mandatory תאריך היעד הוא חובה
2777 apps/erpnext/erpnext/controllers/item_variant.py +80 Increment for Attribute {0} cannot be 0 תוספת לתכונה {0} לא יכולה להיות 0
2778 DocType: Journal Entry Pay To / Recd From לשלם ל/ Recd מ
2785 DocType: Stock Entry Delivery Note No תעודת משלוח לא
2786 DocType: Cheque Print Template Message to show הודעה להראות
2787 DocType: Company Retail Retail
2788 DocType: Attendance Absent נעדר
2789 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +566 Product Bundle Bundle מוצר
2790 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +212 Row {0}: Invalid reference {1} שורת {0}: התייחסות לא חוקית {1}
2791 DocType: Purchase Taxes and Charges Template Purchase Taxes and Charges Template לרכוש תבנית מסים והיטלים
2809 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108 Negative Valuation Rate is not allowed שערי הערכה שליליים אינו מותר
2810 DocType: Holiday List Weekly Off Off השבועי
2811 DocType: Fiscal Year For e.g. 2012, 2012-13 לדוגמה: 2012, 2012-13
2812 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +96 Provisional Profit / Loss (Credit) רווח / הפסד זמני (אשראי)
2813 DocType: Sales Invoice Return Against Sales Invoice חזור נגד חשבונית מכירות
2814 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +32 Item 5 פריט 5
2815 DocType: Serial No Creation Time זמן יצירה
2936 DocType: Serial No DocType: Pricing Rule Distinct unit of an Item Buying יחידה נפרדת של פריט קנייה
2937 DocType: Pricing Rule DocType: HR Settings Buying Employee Records to be created by קנייה רשומות עובדים שנוצרו על ידי
2938 DocType: HR Settings DocType: POS Profile Employee Records to be created by Apply Discount On רשומות עובדים שנוצרו על ידי החל דיסקונט ב
2939 DocType: POS Profile Apply Discount On Reqd By Date החל דיסקונט ב Reqd לפי תאריך
2940 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140 Reqd By Date Creditors Reqd לפי תאריך נושים
2941 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96 Creditors Row # {0}: Serial No is mandatory נושים # השורה {0}: מספר סידורי הוא חובה
2942 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96 DocType: Purchase Taxes and Charges Row # {0}: Serial No is mandatory Item Wise Tax Detail # השורה {0}: מספר סידורי הוא חובה פריט Detail המס וייז
2943 DocType: Purchase Taxes and Charges apps/erpnext/erpnext/public/js/setup_wizard.js +66 Item Wise Tax Detail Institute Abbreviation פריט Detail המס וייז קיצור המכון
2944 apps/erpnext/erpnext/public/js/setup_wizard.js +62 Institute Abbreviation Item-wise Price List Rate קיצור המכון שערי רשימת פריט המחיר חכם
2945 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +916 Item-wise Price List Rate Supplier Quotation שערי רשימת פריט המחיר חכם הצעת מחיר של ספק
2946 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +916 DocType: Quotation Supplier Quotation In Words will be visible once you save the Quotation. הצעת מחיר של ספק במילים יהיו גלוי לאחר שתשמרו את הצעת המחיר.
2947 DocType: Quotation apps/erpnext/erpnext/schools/doctype/fees/fees.js +26 In Words will be visible once you save the Quotation. Collect Fees במילים יהיו גלוי לאחר שתשמרו את הצעת המחיר. לגבות דמי
2948 apps/erpnext/erpnext/schools/doctype/fees/fees.js +26 DocType: Attendance Collect Fees ATT- לגבות דמי ATT-
DocType: Attendance ATT- ATT-
2949 apps/erpnext/erpnext/stock/doctype/item/item.py +445 Barcode {0} already used in Item {1} ברקוד {0} כבר השתמש בפריט {1}
2950 apps/erpnext/erpnext/config/selling.py +86 Rules for adding shipping costs. כללים להוספת עלויות משלוח.
2951 DocType: Item Opening Stock מאגר פתיחה
2963 apps/erpnext/erpnext/public/js/account_tree_grid.js +66 Select Fiscal Year... בחר שנת כספים ...
2964 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555 POS Profile required to make POS Entry פרופיל קופה הנדרש כדי להפוך את קופה הכניסה
2965 DocType: Program Enrollment Tool Enroll Students רשם תלמידים
2966 DocType: Hub Settings Name Token שם אסימון
2967 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21 Standard Selling מכירה סטנדרטית
2968 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138 Atleast one warehouse is mandatory Atleast מחסן אחד הוא חובה
2969 DocType: Serial No Out of Warranty מתוך אחריות
2978 apps/erpnext/erpnext/config/learn.py +234 Human Resource משאבי אנוש
2979 DocType: Payment Reconciliation Payment Payment Reconciliation Payment תשלום פיוס תשלום
2980 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38 Tax Assets נכסי מסים
2981 DocType: BOM Item BOM No BOM לא
2982 DocType: Instructor INS/ אח&quot;י /
2983 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160 Journal Entry {0} does not have account {1} or already matched against other voucher היומן {0} אין חשבון {1} או שכבר מתאים נגד שובר אחר
2984 DocType: Item Moving Average ממוצע נע
2988 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49 Leaves must be allocated in multiples of 0.5 עלים חייבים להיות מוקצים בכפולות של 0.5
2989 DocType: Production Order Operation Cost עלות מבצע
2990 apps/erpnext/erpnext/config/hr.py +29 Upload attendance from a .csv file העלה נוכחות מקובץ csv
2991 apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39 Outstanding Amt Amt מצטיין
2992 DocType: Sales Person Set targets Item Group-wise for this Sales Person. קבוצה חכמה פריט יעדים שנקבעו לאיש מכירות זה.
2993 DocType: Stock Settings Freeze Stocks Older Than [Days] מניות הקפאת Older Than [ימים]
2994 apps/erpnext/erpnext/controllers/accounts_controller.py +548 Row #{0}: Asset is mandatory for fixed asset purchase/sale # השורה {0}: לנכסי לקוחות חובה לרכוש נכס קבוע / מכירה
2998 DocType: Leave Block List Allow the following users to approve Leave Applications for block days. לאפשר למשתמשים הבאים לאשר בקשות לצאת לימי גוש.
2999 apps/erpnext/erpnext/config/hr.py +132 Types of Expense Claim. סוגים של תביעת הוצאות.
3000 DocType: Item Taxes מסים
3001 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324 Paid and Not Delivered שילם ולא נמסר
3002 DocType: Project Default Cost Center מרכז עלות ברירת מחדל
3003 DocType: Bank Guarantee End Date תאריך סיום
3004 apps/erpnext/erpnext/config/stock.py +7 Stock Transactions והתאמות מלאות
3010 DocType: Account Expense חשבון
3011 DocType: Item Attribute From Range מטווח
3012 apps/erpnext/erpnext/stock/utils.py +123 Item {0} ignored since it is not a stock item פריט {0} התעלם כן הוא לא פריט מניות
3013 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101 Submit this Production Order for further processing. שלח הזמנת ייצור זה לעיבוד נוסף.
3014 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23 To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled. שלא להחיל כלל תמחור בעסקה מסוימת, צריכים להיות נכה כל כללי התמחור הישימים.
3015 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27 Jobs מקומות תעסוקה
3016 Sales Order Trends מגמות להזמין מכירות
3076 DocType: Project Task Task ID Sales Person-wise Transaction Summary משימת זיהוי סיכום עסקת איש מכירות-חכם
3077 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72 Stock cannot exist for Item {0} since has variants Warehouse {0} does not exist המניה לא יכול להתקיים לפריט {0} שכן יש גרסאות מחסן {0} אינו קיים
3078 apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2 Sales Person-wise Transaction Summary Register For ERPNext Hub סיכום עסקת איש מכירות-חכם הירשם לHub ERPNext
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72 Warehouse {0} does not exist מחסן {0} אינו קיים
3079 apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2 DocType: Monthly Distribution Register For ERPNext Hub Monthly Distribution Percentages הירשם לHub ERPNext אחוזים בחתך חודשיים
3080 DocType: Monthly Distribution apps/erpnext/erpnext/stock/doctype/batch/batch.py +37 Monthly Distribution Percentages The selected item cannot have Batch אחוזים בחתך חודשיים הפריט שנבחר לא יכול להיות אצווה
3081 apps/erpnext/erpnext/stock/doctype/batch/batch.py +37 DocType: Delivery Note The selected item cannot have Batch % of materials delivered against this Delivery Note הפריט שנבחר לא יכול להיות אצווה % מחומרים מועברים נגד תעודת משלוח זו
3082 DocType: Delivery Note DocType: Project % of materials delivered against this Delivery Note Customer Details % מחומרים מועברים נגד תעודת משלוח זו פרטי לקוחות
3083 DocType: Project DocType: Employee Customer Details Reports to פרטי לקוחות דיווחים ל
DocType: Employee Reports to דיווחים ל
3084 DocType: Payment Entry Paid Amount סכום ששולם
3085 DocType: Assessment Plan Supervisor מְפַקֵחַ
3086 Available Stock for Packing Items מלאי זמין לפריטי אריזה
3087 DocType: Item Variant Item Variant פריט Variant
3088 apps/erpnext/erpnext/accounts/doctype/account/account.py +117 Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit' יתרת חשבון כבר בחיוב, שאינך מורשים להגדרה 'יתרה חייבים להיות' כמו 'אשראי'
3096 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21 {0} for {1} {0} עבור {1}
3097 apps/erpnext/erpnext/setup/doctype/company/company.js +25 Cost Centers מרכזי עלות
3098 DocType: Purchase Receipt Rate at which supplier's currency is converted to company's base currency קצב שבו ספק של מטבע מומר למטבע הבסיס של החברה
3099 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36 Row #{0}: Timings conflicts with row {1} # השורה {0}: קונפליקטים תזמונים עם שורת {1}
3100 apps/erpnext/erpnext/config/accounts.py +310 Setup Gateway accounts. חשבונות Gateway התקנה.
3101 DocType: Employee Employment Type סוג התעסוקה
3102 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42 Fixed Assets רכוש קבוע
3111 DocType: Employee Encashment Date תאריך encashment
3112 DocType: Account Stock Adjustment התאמת מלאי
3113 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34 Default Activity Cost exists for Activity Type - {0} עלות פעילות ברירת המחדל קיימת לסוג פעילות - {0}
3114 DocType: Production Order Planned Operating Cost עלות הפעלה מתוכננת
3115 apps/erpnext/erpnext/controllers/recurring_document.py +136 Please find attached {0} #{1} בבקשה למצוא מצורף {0} # {1}
3116 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34 Bank Statement balance as per General Ledger מאזן חשבון בנק בהתאם לכללי לדג&#39;ר
3117 DocType: Job Applicant Applicant Name שם מבקש
3145 apps/erpnext/erpnext/accounts/page/pos/pos.js +944 Master data syncing, it might take some time סינכרון נתוני אב, זה עלול לקחת קצת זמן
3146 DocType: Item Material Issue נושא מהותי
3147 DocType: Hub Settings Seller Description תיאור מוכר
3148 DocType: Employee Education Qualification הסמכה
3149 DocType: Item Price Item Price פריט מחיר
3150 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +48 Soap & Detergent סבון וחומרי ניקוי
3151 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +36 Motion Picture & Video Motion Picture ווידאו
3199 DocType: Customer Sales Team Details פרטי צוות מכירות
3200 apps/erpnext/erpnext/accounts/page/pos/pos.js +1331 Delete permanently? למחוק לצמיתות?
3201 DocType: Expense Claim Total Claimed Amount סכום הנתבע סה"כ
3202 apps/erpnext/erpnext/config/crm.py +17 Potential opportunities for selling. הזדמנויות פוטנציאליות למכירה.
3203 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228 Invalid {0} לא חוקי {0}
3204 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81 Sick Leave חופשת מחלה
3205 DocType: Email Digest Email Digest תקציר דוא"ל
3206 DocType: Delivery Note Billing Address Name שם כתובת לחיוב
3207 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22 Department Stores חנויות כלבו
3255 apps/erpnext/erpnext/public/js/stock_analytics.js +57 Select Brand... מותג בחר ...
3256 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149 Accumulated Depreciation as on פחת שנצבר כמו על
3257 DocType: Sales Invoice C-Form Applicable C-טופס ישים
3258 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398 Operation Time must be greater than 0 for Operation {0} מבצע זמן חייב להיות גדול מ 0 למבצע {0}
3259 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106 Warehouse is mandatory המחסן הוא חובה
3260 DocType: Supplier Address and Contacts כתובת ומגעים
3261 DocType: UOM Conversion Detail UOM Conversion Detail פרט של אוני 'מישגן ההמרה
3266 DocType: Bank Guarantee Start Date תאריך ההתחלה
3267 apps/erpnext/erpnext/config/hr.py +75 Allocate leaves for a period. להקצות עלים לתקופה.
3268 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42 Cheques and Deposits incorrectly cleared המחאות ופיקדונות פינו באופן שגוי
3269 apps/erpnext/erpnext/accounts/doctype/account/account.py +50 Account {0}: You can not assign itself as parent account חשבון {0}: לא ניתן להקצות את עצמו כחשבון אב
3270 DocType: Purchase Invoice Item Price List Rate מחיר מחירון שערי
3271 DocType: Item Show "In Stock" or "Not in Stock" based on stock available in this warehouse. הצג "במלאי" או "לא במלאי", המבוסס על המלאי זמין במחסן זה.
3272 apps/erpnext/erpnext/config/manufacturing.py +38 Bill of Materials (BOM) הצעת החוק של חומרים (BOM)
3287 DocType: Employee Leave Approver Employee Leave Approver עובד חופשה מאשר
3288 apps/erpnext/erpnext/stock/doctype/item/item.py +494 Row {0}: An Reorder entry already exists for this warehouse {1} שורת {0}: כניסת סידור מחדש כבר קיימת למחסן זה {1}
3289 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81 Cannot declare as lost, because Quotation has been made. לא יכול להכריז על שאבד כ, כי הצעת מחיר כבר עשתה.
3290 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458 Production Order {0} must be submitted ייצור להזמין {0} יש להגיש
3291 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149 Please select Start Date and End Date for Item {0} אנא בחר תאריך התחלה ותאריך סיום לפריט {0}
3292 apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +55 Course is mandatory in row {0} הקורס הוא חובה בשורת {0}
3293 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16 To date cannot be before from date עד כה לא יכול להיות לפני מהמועד
3390 apps/erpnext/erpnext/public/js/queries.js +39 Please set {0} אנא הגדר {0}
3391 DocType: Purchase Invoice Repeat on Day of Month חזור על פעולה ביום בחודש
3392 DocType: Employee Health Details בריאות פרטים
3393 DocType: Offer Letter Offer Letter Terms מציע תנאי מכתב
3394 DocType: Employee External Work History Salary שכר
3395 DocType: Serial No Delivery Document Type סוג מסמך משלוח
3396 DocType: Process Payroll Submit all salary slips for the above selected criteria להגיש את כל תלושי השכר לקריטריונים לעיל נבחרים
3410 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44 Ageing Range 2 טווח הזדקנות 2
3411 DocType: SG Creation Tool Course Max Strength מקס חוזק
3412 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py +22 BOM replaced BOM הוחלף
3413 Sales Analytics Analytics מכירות
3414 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114 Available {0} זמין {0}
3415 DocType: Manufacturing Settings Manufacturing Settings הגדרות ייצור
3416 apps/erpnext/erpnext/config/setup.py +56 Setting up Email הגדרת דוא&quot;ל
3418 DocType: Stock Entry Detail Stock Entry Detail פרט מניית הכניסה
3419 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110 Daily Reminders תזכורות יומיות
3420 DocType: Products Settings Home Page is Products דף הבית הוא מוצרים
3421 Asset Depreciation Ledger לדג&#39;ר פחת נכסים
3422 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +87 Tax Rule Conflicts with {0} ניגודים כלל מס עם {0}
3423 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25 New Account Name שם חשבון חדש
3424 DocType: Purchase Invoice Item Raw Materials Supplied Cost עלות חומרי גלם הסופק
3489 apps/erpnext/erpnext/config/selling.py +67 Price List master. אדון מחיר מחירון.
3490 DocType: Task Review Date תאריך סקירה
3491 DocType: Purchase Invoice Advance Payments תשלומים מראש
3492 DocType: Purchase Taxes and Charges On Net Total בסך הכל נטו
3493 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}
3494 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161 Target warehouse in row {0} must be same as Production Order מחסן יעד בשורת {0} חייב להיות זהה להזמנת ייצור
3495 apps/erpnext/erpnext/controllers/recurring_document.py +217 'Notification Email Addresses' not specified for recurring %s "כתובות דוא"ל הודעה 'לא צוינו עבור חוזר% s
3506 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5 New Sales Person Name ניו איש מכירות שם
3507 DocType: Packing Slip Gross Weight UOM משקלים של אוני 'מישגן
3508 DocType: Delivery Note Item Against Sales Invoice נגד חשבונית מכירות
3509 DocType: Bin Reserved Qty for Production שמורות כמות עבור הפקה
3510 DocType: Asset Frequency of Depreciation (Months) תדירות הפחת (חודשים)
3511 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +493 Credit Account חשבון אשראי
3512 DocType: Landed Cost Item Landed Cost Item פריט עלות נחת
3525 DocType: Fee Structure FS. FS.
3526 DocType: Student Attendance Tool Batch אצווה
3527 apps/erpnext/erpnext/stock/doctype/item/item.js +27 Balance מאזן
3528 DocType: Room Seating Capacity מקומות ישיבה
3529 DocType: Issue ISS- ISS-
3530 DocType: Project Total Expense Claim (via Expense Claims) תביעת הוצאות כוללת (באמצעות תביעות הוצאות)
3531 DocType: Journal Entry Debit Note הערה חיוב
3566 apps/erpnext/erpnext/accounts/doctype/account/account.py +99 Cannot covert to Group because Account Type is selected. לא יכול סמוי לקבוצה בגלל סוג חשבון הנבחר.
3567 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240 {0} {1} has been modified. Please refresh. {0} {1} כבר שונה. אנא רענן.
3568 DocType: Leave Block List Stop users from making Leave Applications on following days. להפסיק ממשתמשים לבצע יישומי חופשה בימים שלאחר מכן.
3569 apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63 Purchase Amount סכום הרכישה
3570 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +259 Supplier Quotation {0} created הצעת מחיר הספק {0} נוצר
3571 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +217 Employee Benefits הטבות לעובדים
3572 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255 Packed quantity must equal quantity for Item {0} in row {1} כמות ארוזה חייבת להיות שווה לכמות פריט {0} בשורת {1}
3634 apps/erpnext/erpnext/stock/get_item_details.py +147 Item {0} is a template, please select one of its variants פריט {0} הוא תבנית, אנא בחר באחת מגרסותיה
3635 DocType: Asset Asset Category קטגורית נכסים
3636 apps/erpnext/erpnext/public/js/setup_wizard.js +213 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +31 Purchaser Net pay cannot be negative רוכש שכר נטו לא יכול להיות שלילי
3637 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +31 DocType: Assessment Plan Net pay cannot be negative Room שכר נטו לא יכול להיות שלילי חֶדֶר
3638 DocType: Assessment Plan DocType: Purchase Order Room Advance Paid חֶדֶר מראש בתשלום
3639 DocType: Purchase Order DocType: Item Advance Paid Item Tax מראש בתשלום מס פריט
3640 DocType: Item apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +818 Item Tax Material to Supplier מס פריט חומר לספקים
3699 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +806 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41 Get Items from BOM Lead Time Days קבל פריטים מBOM להוביל ימי זמן
3700 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41 apps/erpnext/erpnext/controllers/accounts_controller.py +569 Lead Time Days Row #{0}: Posting Date must be same as purchase date {1} of asset {2} להוביל ימי זמן # שורה {0}: פרסום תאריך חייב להיות זהה לתאריך הרכישה {1} של נכס {2}
3701 apps/erpnext/erpnext/controllers/accounts_controller.py +569 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129 Row #{0}: Posting Date must be same as purchase date {1} of asset {2} Please enter Sales Orders in the above table # שורה {0}: פרסום תאריך חייב להיות זהה לתאריך הרכישה {1} של נכס {2} נא להזין הזמנות ומכירות בטבלה לעיל
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129 Please enter Sales Orders in the above table נא להזין הזמנות ומכירות בטבלה לעיל
3702 Stock Summary סיכום במלאי
3703 apps/erpnext/erpnext/config/accounts.py +274 Transfer an asset from one warehouse to another להעביר נכס ממחסן אחד למשנהו
3704 apps/erpnext/erpnext/config/learn.py +217 Bill of Materials הצעת חוק של חומרים
3713 DocType: Employee Short biography for website and other publications. ביוגרפיה קצרות באתר האינטרנט של ופרסומים אחרים.
3714
3715
3716
3717
3718
3719
3727
3728
3729
3730
3731
3732
3733
3746
3747
3748
3749
3750
3751
3752

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

View File

@ -23,7 +23,7 @@ DocType: Purchase Receipt Item,Required By,Entrega em
DocType: Delivery Note,Return Against Delivery Note,Devolução contra Guia de Remessa
DocType: Purchase Order,% Billed,Faturado %
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Taxa de câmbio deve ser o mesmo que {0} {1} ({2})
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},A conta bancária não pode ser nomeada como {0}
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +127,Bank account cannot be named as {0},A conta bancária não pode ser nomeada como {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Heads (ou grupos) contra o qual as entradas de Contabilidade são feitas e os saldos são mantidos.
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Excelente para {0} não pode ser inferior a zero ( {1})
DocType: Manufacturing Settings,Default 10 mins,Padrão 10 minutos
@ -40,7 +40,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date c
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Linha # {0}: O Valor deve ser o mesmo da {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,Aplicação deixar Nova
,Batch Item Expiry Status,Status do Vencimento do Item do Lote
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,Cheque Administrativo
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +175,Bank Draft,Cheque Administrativo
DocType: Mode of Payment Account,Mode of Payment Account,Modo de pagamento da conta
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Tabela de Contas não pode estar vazia.
DocType: Employee Education,Year of Passing,Ano de passagem
@ -57,7 +57,7 @@ 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/public/js/setup_wizard.js +216,Accountant,Contador
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}
,Sales Partners Commission,Comissão dos Parceiros de Vendas
@ -84,7 +84,7 @@ DocType: Sales Invoice Item,Sales Invoice Item,Item da Nota Fiscal de Venda
DocType: POS Profile,Write Off Cost Center,Centro de custo do abatimento
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Relatórios de Estoque
DocType: Warehouse,Warehouse Detail,Detalhes do Armazén
apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},O limite de crédito foi analisado para o cliente {0} {1} / {2}
apps/erpnext/erpnext/selling/doctype/customer/customer.py +164,Credit limit has been crossed for customer {0} {1}/{2},O limite de crédito foi analisado para o cliente {0} {1} / {2}
apps/erpnext/erpnext/stock/doctype/item/item.py +467,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""É Ativo Fixo"" não pode ser desmarcado se já existe um registro de Ativo relacionado ao item"
DocType: Vehicle Service,Brake Oil,Óleo de Freio
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Você não está autorizado para adicionar ou atualizar entradas antes de {0}
@ -125,7 +125,7 @@ DocType: SMS Center,All Contact,Todo o Contato
DocType: Daily Work Summary,Daily Work Summary,Resumo de Trabalho Diário
DocType: Period Closing Voucher,Closing Fiscal Year,Encerramento do Exercício Fiscal
apps/erpnext/erpnext/accounts/party.py +357,{0} {1} is frozen,{0} {1} está congelado
apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,"Por favor, selecione empresa já existente para a criação de Plano de Contas"
apps/erpnext/erpnext/setup/doctype/company/company.py +136,Please select Existing Company for creating Chart of Accounts,"Por favor, selecione empresa já existente para a criação de Plano de Contas"
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Despesas com Estoque
DocType: Journal Entry,Contra Entry,Contrapartida de Entrada
DocType: Journal Entry Account,Credit in Company Currency,Crédito em moeda da empresa
@ -144,7 +144,7 @@ DocType: Depreciation Schedule,Make Depreciation Entry,Fazer Lançamento de Depr
DocType: Appraisal Template Goal,KRA,APR
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,Criar Colaborador
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,Radio-difusão
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,execução
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Execution,execução
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Os detalhes das operações realizadas.
DocType: Serial No,Maintenance Status,Status da Manutenção
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Fornecedor é necessário contra Conta a Pagar {2}
@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +267,Contact Name,Nome do Contato
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.
DocType: Vehicle,Additional Details,Detalhes Adicionais
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,Nenhuma descrição informada
@ -194,7 +194,7 @@ apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,Solicitação de
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,Isto é baseado nos Registros de Tempo relacionados a este Projeto
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Somente o aprovador de licenças selecionado pode enviar este pedido de licença
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,A Data da Licença deve ser maior que Data de Contratação
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +201,Leaves per Year,Folhas por ano
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +223,Leaves per Year,Folhas por ano
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Linha {0}: Por favor, selecione 'É Adiantamento' se este é um lançamento de adiantamento relacionado à conta {1}."
apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},Armazém {0} não pertence à empresa {1}
DocType: Email Digest,Profit & Loss,Lucro e Perdas
@ -209,7 +209,7 @@ DocType: Material Request Item,Min Order Qty,Pedido Mínimo
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Ferramenta de Criação de Grupo de Alunos
DocType: Lead,Do Not Contact,Não entre em contato
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,ID exclusiva para acompanhar todas as notas fiscais recorrentes. Ela é gerada ao enviar.
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Software Developer
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +126,Software Developer,Software Developer
DocType: Item,Minimum Order Qty,Pedido Mínimo
,Student Batch-Wise Attendance,Controle de Frequência por Série de Alunos
DocType: POS Profile,Allow user to edit Rate,Permitir que o usuário altere o preço
@ -277,7 +277,7 @@ DocType: GL Entry,Debit Amount,Total do Débito
apps/erpnext/erpnext/accounts/party.py +246,There can only be 1 Account per Company in {0} {1},Pode haver apenas uma conta por empresa em {0} {1}
DocType: Purchase Order,% Received,Recebido %
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Criar Grupos de Alunos
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Instalação já está concluída!
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +22,Setup Already Complete!!,Instalação já está concluída!
DocType: Quality Inspection,Inspected By,Inspecionado por
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Serial Não {0} não pertence a entrega Nota {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,Demo do ERPNext
@ -296,7 +296,7 @@ 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/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Se várias regras de preços continuam a prevalecer, os usuários são convidados a definir a prioridade manualmente para resolver o conflito."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Criar Pedidos de Compra
apps/erpnext/erpnext/utilities/activation.py +90,Create Purchase Orders,Criar Pedidos de Compra
,Purchase Register,Registro de Compras
DocType: Landed Cost Item,Applicable Charges,Encargos aplicáveis
DocType: Workstation,Consumable Cost,Custo dos Consumíveis
@ -346,11 +346,11 @@ DocType: Employee Loan,Total Payment,Pagamento Total
DocType: Manufacturing Settings,Time Between Operations (in mins),Tempo entre operações (em minutos)
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} é cancelado então a ação não pode ser concluída
DocType: Pricing Rule,Valid Upto,Válido até
apps/erpnext/erpnext/public/js/setup_wizard.js +257,List a few of your customers. They could be organizations or individuals.,Lista de alguns de seus clientes. Eles podem ser empresas ou pessoas físicas.
apps/erpnext/erpnext/utilities/user_progress.py +39,List a few of your customers. They could be organizations or individuals.,Lista de alguns de seus clientes. Eles podem ser empresas ou pessoas físicas.
apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Peças suficientes para construir
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Receita Direta
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Não é possível filtrar com base em conta , se agrupados por Conta"
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Escritório Administrativo
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +121,Administrative Officer,Escritório Administrativo
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +342,Please select Company,"Por favor, selecione Empresa"
DocType: Stock Entry Detail,Difference Account,Conta Diferença
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Não pode fechar tarefa como sua tarefa dependente {0} não está fechado.
@ -416,7 +416,7 @@ DocType: Employee Loan Application,Total Payable Interest,Total de Juros a Pagar
DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,Registro de Tempo da Nota Fiscal de Venda
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +118,Reference No & Reference Date is required for {0},Número de referência e Referência Data é necessário para {0}
DocType: Process Payroll,Select Payment Account to make Bank Entry,Selecione a conta de pagamento para fazer o lançamento bancário
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Proposta Redação
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +181,Proposal Writing,Proposta Redação
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Outro Vendedor {0} existe com o mesmo ID de Colaborador
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","Se for selecionado, as matérias-primas para os itens sub-contratados serão incluídas nas Requisições de Material"
apps/erpnext/erpnext/config/accounts.py +80,Masters,Cadastros
@ -440,8 +440,8 @@ DocType: Maintenance Schedule,Maintenance Schedule,Programação da Manutenção
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Então Preços Regras são filtradas com base no Cliente, Grupo de Clientes, Território, fornecedor, fornecedor Tipo, Campanha, Parceiro de vendas etc"
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Gestão de Emprestimos à Colaboradores
DocType: Employee,Passport Number,Número do Passaporte
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,Gerente
apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Novo limite de crédito é inferior ao saldo devedor atual do cliente. O limite de crédito deve ser de pelo menos {0}
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Manager,Gerente
apps/erpnext/erpnext/selling/doctype/customer/customer.py +127,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Novo limite de crédito é inferior ao saldo devedor atual do cliente. O limite de crédito deve ser de pelo menos {0}
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'Baseado em' e ' Agrupar por' não podem ser o mesmo
DocType: Sales Person,Sales Person Targets,Metas do Vendedor
DocType: Production Order Operation,In minutes,Em Minutos
@ -482,7 +482,7 @@ apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sale
DocType: Purchase Receipt,Other Details,Outros detalhes
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Fornecedor
DocType: Vehicle,Odometer Value (Last),Quilometragem do Odômetro (última)
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,marketing
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}
@ -582,7 +582,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Per
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Para filtrar baseado em Sujeito, selecione o Tipo de Sujeito primeiro"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"""Atualização do Estoque 'não pode ser verificado porque os itens não são entregues via {0}"
DocType: Vehicle,Acquisition Date,Data da Aquisição
apps/erpnext/erpnext/public/js/setup_wizard.js +310,Nos,Nos
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
@ -648,7 +648,7 @@ DocType: Notification Control,Expense Claim Rejected Message,Mensagem de recusa
DocType: Purchase Invoice Item,Rejected Qty,Qtde Rejeitada
DocType: Salary Slip,Working Days,Dias úteis
DocType: Serial No,Incoming Rate,Valor de Entrada
apps/erpnext/erpnext/public/js/setup_wizard.js +92,The name of your company for which you are setting up this system.,O nome da sua empresa para a qual você está configurando o sistema.
apps/erpnext/erpnext/public/js/setup_wizard.js +102,The name of your company for which you are setting up this system.,O nome da sua empresa para a qual você está configurando o sistema.
DocType: HR Settings,Include holidays in Total no. of Working Days,Incluir feriados no total de dias de trabalho
DocType: Job Applicant,Hold,Segurar
DocType: Employee,Date of Joining,Data da Contratação
@ -713,7 +713,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items hav
DocType: Workstation,Electricity Cost,Custo de Energia Elétrica
DocType: HR Settings,Don't send Employee Birthday Reminders,Não envie aos colaboradores lembretes de aniversários
DocType: BOM Website Item,BOM Website Item,LDM do Item do Site
apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Publique sua cabeça letra e logotipo. (Você pode editá-las mais tarde).
apps/erpnext/erpnext/public/js/setup_wizard.js +47,Upload your letter head and logo. (you can edit them later).,Publique sua cabeça letra e logotipo. (Você pode editá-las mais tarde).
DocType: SMS Center,All Lead (Open),Todos os Clientes em Potencial em Aberto
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Linha {0}: Qtde não disponível do item {4} no armazén {1} no horário do lançamento ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,Obter adiantamentos pagos
@ -727,7 +727,7 @@ apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_
DocType: Student Batch Name,Student Batch Name,Nome da Série de Alunos
DocType: Holiday List,Holiday List Name,Nome da Lista de Feriados
DocType: Repayment Schedule,Balance Loan Amount,Saldo do Empréstimo
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Stock Options,Opções de Compra
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +219,Stock Options,Opções de Compra
DocType: Journal Entry Account,Expense Claim,Pedido de Reembolso de Despesas
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Você realmente deseja restaurar este ativo descartado?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},Qtde para {0}
@ -766,7 +766,6 @@ apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {
DocType: Opportunity,Contact Info,Informações para Contato
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Fazendo Lançamentos no Estoque
DocType: Packing Slip,Net Weight UOM,Unidade de Medida do Peso Líquido
apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +20,{0} Results,{0} Resultado
DocType: Manufacturing Settings,Over Production Allowance Percentage,Percentual Permitido de Produção Excedente
DocType: Employee Loan,Repayment Schedule,Agenda de Pagamentos
DocType: Shipping Rule Condition,Shipping Rule Condition,Regra Condições de envio
@ -774,7 +773,7 @@ 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/public/js/setup_wizard.js +277,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/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
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
@ -844,7 +843,7 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Mais
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/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 +487,Rest Of The World,Resto do Mundo
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +366,Rest Of The World,Resto do Mundo
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,O item {0} não pode ter Batch
,Budget Variance Report,Relatório de Variação de Orçamento
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Registro Contábil
@ -870,7 +869,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},Não autorizado para editar conta congelada {0}
DocType: Journal Entry,Get Outstanding Invoices,Obter notas pendentes
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Pedido de Venda {0} não é válido
apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Desculpe , as empresas não podem ser mescladas"
apps/erpnext/erpnext/setup/doctype/company/company.py +222,"Sorry, companies cannot be merged","Desculpe , as empresas não podem ser mescladas"
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",A quantidade total Saída / Transferir {0} na Requisição de Material {1} \ não pode ser maior do que a quantidade solicitada {2} para o Item {3}
DocType: Employee,Employee Number,Número do Colaborador
@ -885,7 +884,7 @@ 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/public/js/setup_wizard.js +296,Your Products or Services,Seus Produtos ou Serviços
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
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Este é um grupo de itens de raiz e não pode ser editada.
@ -926,11 +925,11 @@ DocType: Salary Slip,Bank Account No.,Nº Conta Bancária
DocType: Naming Series,This is the number of the last created transaction with this prefix,Este é o número da última transação criada com este prefixo
DocType: BOM Operation,Workstation,Estação de Trabalho
DocType: Request for Quotation Supplier,Request for Quotation Supplier,Solicitação de Orçamento para Fornecedor
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,Ferramentas
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +145,Hardware,Ferramentas
DocType: Sales Order,Recurring Upto,recorrente Upto
DocType: Attendance,HR Manager,Gerente de RH
apps/erpnext/erpnext/accounts/party.py +175,Please select a Company,"Por favor, selecione uma empresa"
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Privilege Deixar
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Privilege Leave,Privilege Deixar
DocType: Purchase Invoice,Supplier Invoice Date,Data de emissão da nota fiscal
DocType: Appraisal Template Goal,Appraisal Template Goal,Meta do Modelo de Avaliação
DocType: Salary Component,Earning,Ganho
@ -995,12 +994,11 @@ DocType: Job Opening,"Job profile, qualifications required etc.","Perfil da vaga
DocType: Journal Entry Account,Account Balance,Saldo da conta
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Regra de imposto para transações.
DocType: Rename Tool,Type of document to rename.,Tipo de documento a ser renomeado.
apps/erpnext/erpnext/public/js/setup_wizard.js +316,We buy this Item,Nós compramos este item
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Um cliente é necessário contra contas a receber {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Total de impostos e taxas (moeda da empresa)
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +92,{0} {1}: Account {2} is inactive,{0} {1}: Conta {2} está inativa
DocType: BOM,Scrap Material Cost(Company Currency),Custo de material de sucata (moeda da empresa)
apps/erpnext/erpnext/public/js/setup_wizard.js +307,Sub Assemblies,Subconjuntos
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Sub Assemblies,Subconjuntos
DocType: Shipping Rule Condition,To Value,Para o Valor
DocType: Asset Movement,Stock Manager,Gerente de Estoque
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},O armazén de origem é obrigatório para a linha {0}
@ -1156,11 +1154,11 @@ DocType: Fee Category,Fee Category,Categoria de Taxas
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Fazer lançamento contábil para cada movimento de estoque
DocType: Leave Allocation,Total Leaves Allocated,Total de licenças alocadas
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +159,Warehouse required at Row No {0},Armazén necessário na Linha nº {0}
apps/erpnext/erpnext/public/js/setup_wizard.js +124,Please enter valid Financial Year Start and End Dates,"Por favor, indique datas inicial e final válidas do Ano Financeiro"
apps/erpnext/erpnext/public/js/setup_wizard.js +134,Please enter valid Financial Year Start and End Dates,"Por favor, indique datas inicial e final válidas do Ano Financeiro"
DocType: Employee,Date Of Retirement,Data da aposentadoria
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,Configuração do ERPNext Concluída!
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +201,ERPNext Setup Complete!,Configuração do ERPNext Concluída!
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,"{0} {1}: Centro de Custo é necessário para a conta de ""Lucros e Perdas"" {2}. Por favor, crie um Centro de Custo padrão para a Empresa."
apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Existe um grupo de clientes com o mesmo nome, por favor modifique o nome do cliente ou renomeie o grupo de clientes"
apps/erpnext/erpnext/selling/doctype/customer/customer.py +118,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Existe um grupo de clientes com o mesmo nome, por favor modifique o nome do cliente ou renomeie o grupo de clientes"
apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Novo Contato
DocType: Territory,Parent Territory,Território pai
DocType: Stock Entry,Material Receipt,Entrada de Material
@ -1202,7 +1200,7 @@ 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
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 +79,Manage your orders,Gerir seus pedidos
apps/erpnext/erpnext/utilities/activation.py +81,Manage your orders,Gerir seus pedidos
DocType: Production Order Operation,Actual Time and Cost,Tempo e Custo Real
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Requisição de Material de no máximo {0} pode ser feita para item {1} relacionado à ordem de venda {2}
DocType: Course,Course Abbreviation,Abreviação do Curso
@ -1211,10 +1209,9 @@ DocType: Item,Will also apply for variants,Também se aplica às variantes
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +160,"Asset cannot be cancelled, as it is already {0}","Activo não podem ser canceladas, como já é {0}"
apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Empacotar itens no momento da venda.
DocType: Quotation Item,Actual Qty,Qtde Real
apps/erpnext/erpnext/public/js/setup_wizard.js +297,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",Liste os produtos ou serviços que você comprar ou vender.
DocType: Hub Settings,Hub Node,Hub Node
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Você digitou itens duplicados . Por favor, corrigir e tentar novamente."
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Associado
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Associate,Associado
DocType: Asset Movement,Asset Movement,Movimentação de Ativos
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Item {0} não é um item serializado
DocType: SMS Center,Create Receiver List,Criar Lista de Receptor
@ -1335,13 +1332,13 @@ DocType: Production Order,Use Multi-Level BOM,Utilize LDM Multinível
DocType: Bank Reconciliation,Include Reconciled Entries,Incluir entradas reconciliadas
DocType: Leave Control Panel,Leave blank if considered for all employee types,Deixe em branco se considerado para todos os tipos de colaboradores
DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuir encargos baseado em
apps/erpnext/erpnext/hooks.py +128,Timesheets,Registros de Tempo
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."
DocType: Leave Block List Allow,Leave Block List Allow,Deixe Lista de Bloqueios Permitir
apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr não pode estar em branco ou espaço
apps/erpnext/erpnext/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
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Esportes
DocType: Loan Type,Loan Name,Nome do Empréstimo
@ -1382,7 +1379,7 @@ DocType: Opportunity,Customer / Lead Address,Endereço do Cliente/Cliente em Pot
apps/erpnext/erpnext/stock/doctype/item/item.py +208,Warning: Invalid SSL certificate on attachment {0},Aviso: certificado SSL inválido no anexo {0}
DocType: Production Order Operation,Actual Operation Time,Tempo Real da Operação
DocType: Authorization Rule,Applicable To (User),Aplicável Para (Usuário)
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +199,Job Description,Descrição do Trabalho
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +221,Job Description,Descrição do Trabalho
DocType: Sales Invoice Item,Qty as per Stock UOM,Qtde por UDM do Estoque
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +127,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Caracteres especiais, exceto ""-"" ""."", ""#"", e ""/"", não são permitidos em nomeação em série"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","Mantenha o controle de campanhas de vendas. Mantenha o controle de Clientes em Potencial, Orçamentos, Pedidos de Venda, de Campanhas e etc, para medir retorno sobre o investimento."
@ -1391,7 +1388,7 @@ DocType: Appraisal,Calculate Total Score,Calcular a Pontuação Total
DocType: Request for Quotation,Manufacturing Manager,Gerente de Fabricação
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Nº de Série {0} está na garantia até {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Dividir Guia de Remessa em pacotes.
apps/erpnext/erpnext/hooks.py +94,Shipments,Entregas
apps/erpnext/erpnext/hooks.py +98,Shipments,Entregas
DocType: Payment Entry,Total Allocated Amount (Company Currency),Total alocado (moeda da empresa)
DocType: Purchase Order Item,To be delivered to customer,Para ser entregue ao cliente
DocType: BOM,Scrap Material Cost,Custo do Material Sucateado
@ -1420,7 +1417,7 @@ DocType: Vehicle Service,Service Item,Item de Manutenção
DocType: Bank Guarantee,Bank Guarantee,Garantia Bancária
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,"Por favor, clique em ""Gerar Agenda"" para obter cronograma"
DocType: Bin,Ordered Quantity,Quantidade Encomendada
apps/erpnext/erpnext/public/js/setup_wizard.js +100,"e.g. ""Build tools for builders""","ex: ""Desenvolve ferramentas para construtores """
apps/erpnext/erpnext/public/js/setup_wizard.js +110,"e.g. ""Build tools for builders""","ex: ""Desenvolve ferramentas para construtores """
DocType: Grading Scale,Grading Scale Intervals,Intervalos da escala de avaliação
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Entradas contabeis para {2} só pode ser feito em moeda: {3}
DocType: Production Order,In Process,Em Processo
@ -1488,7 +1485,7 @@ DocType: Bin,Actual Quantity,Quantidade Real
DocType: Shipping Rule,example: Next Day Shipping,exemplo: envio no dia seguinte
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial No {0} não foi encontrado
DocType: Program Enrollment,Student Batch,Série de Alunos
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,Fazer Aluno
apps/erpnext/erpnext/utilities/activation.py +119,Make Student,Fazer Aluno
apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},Você foi convidado para colaborar com o projeto: {0}
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Aplique agora
,Bank Clearance Summary,Resumo da Liquidação Bancária
@ -1525,7 +1522,7 @@ 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 +982,Please set recurring after saving,"Por favor, defina recorrentes depois de salvar"
apps/erpnext/erpnext/public/js/controllers/transaction.js +993,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
@ -1561,7 +1558,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Nº da LDM para um
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/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,compensatória Off
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."
@ -1720,7 +1717,7 @@ DocType: Delivery Note,DN-RET-,GDR-DEV
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +123,Leave Type {0} cannot be carry-forwarded,Deixe tipo {0} não pode ser encaminhado carry-
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +215,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',"Programação de manutenção não é gerada para todos os itens. Por favor, clique em ""Gerar Agenda"""
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +179,"For row {0} in {1}. To include {2} in Item rate, rows {3} must also be included","Para linha {0} em {1}. Para incluir {2} na taxa de Item, linhas {3} também devem ser incluídos"
apps/erpnext/erpnext/utilities/activation.py +99,Make User,Fazer Usuário
apps/erpnext/erpnext/utilities/activation.py +101,Make User,Fazer Usuário
DocType: Packing Slip,Identification of the package for the delivery (for print),Identificação do pacote para a Entrega (para impressão)
DocType: Landed Cost Voucher,Purchase Receipt Items,Itens do Recibo de Compra
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,Total de Depreciação durante o período
@ -1743,21 +1740,20 @@ DocType: Employee,Relieving Date,Data da Liberação
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Regra de preços é feita para substituir Lista de Preços / define percentual de desconto, com base em alguns critérios."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Armazém só pode ser alterado através de entrada / entrega da nota / recibo de compra
DocType: Employee Education,Class / Percentage,Classe / Percentual
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Imposto de Renda
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 +1083,Please enter Item Code to get batch no,"Por favor, insira o Código Item para obter lotes não"
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}
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
DocType: Training Event,Will send an email about the event to employees with status 'Open',Enviar um email sobre o evento para os colaboradores com status 'Aberto'
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Gerenciar grupos de clientes
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Novo Centro de Custo Nome
DocType: Leave Control Panel,Leave Control Panel,Painel de Controle de Licenças
apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Esgotado
DocType: Appraisal,HR User,Usuário do RH
apps/erpnext/erpnext/hooks.py +125,Issues,Incidentes
apps/erpnext/erpnext/hooks.py +129,Issues,Incidentes
apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},Status deve ser um dos {0}
DocType: Delivery Note,Required only for sample item.,Necessário apenas para o item de amostra.
DocType: Stock Ledger Entry,Actual Qty After Transaction,Qtde Real Após a Transação
@ -1765,7 +1761,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Qtde Real Após a Trans
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Admissões de Alunos
DocType: Supplier,Billing Currency,Moeda de Faturamento
DocType: Sales Invoice,SINV-RET-,NFV-DEV-
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Extra Grande
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Extra Large,Extra Grande
,Profit and Loss Statement,Demonstrativo de Resultados
DocType: Bank Reconciliation Detail,Cheque Number,Número do cheque
DocType: Journal Entry,Total Credit,Crédito total
@ -1871,7 +1867,7 @@ DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Curre
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Destino do Warehouse é obrigatória para a linha {0}
DocType: Purchase Invoice,Select Supplier Address,Selecione um Endereço do Fornecedor
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +380,Add Employees,Adicionar Colaboradores
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Muito Pequeno
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +187,Extra Small,Muito Pequeno
DocType: Company,Standard Template,Template Padrão
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +777,Warning: Material Requested Qty is less than Minimum Order Qty,Aviso: A quantidade de material solicitado é menor do que o Pedido Mínimo
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,A Conta {0} está congelada
@ -1899,12 +1895,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Empl
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 +115,Add Students,Adicionar Alunos
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
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,Pesquisador
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +128,Researcher,Pesquisador
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Ferramenta de Inscrição de Alunos no Programa
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Nome ou email é obrigatório
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Inspeção de qualidade de entrada.
@ -1919,7 +1915,7 @@ apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_
DocType: Sales Invoice,Time Sheet List,Lista de Registros de Tempo
DocType: Employee,You can enter any date manually,Você pode inserir qualquer data manualmente
DocType: Asset Category Account,Depreciation Expense Account,Conta de Depreciação
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +194,Probationary Period,Período Probatório
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +216,Probationary Period,Período Probatório
DocType: Customer Group,Only leaf nodes are allowed in transaction,Somente nós-folha são permitidos em transações
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,Row {0}: Avanço contra o Cliente deve estar de crédito
apps/erpnext/erpnext/accounts/doctype/account/account.js +83,Non-Group to Group,Não-Grupo para Grupo
@ -2019,7 +2015,6 @@ DocType: Attendance,On Leave,De Licença
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Receber notícias
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Conta {2} não pertence à empresa {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +147,Material Request {0} is cancelled or stopped,Requisição de Material {0} é cancelada ou parada
apps/erpnext/erpnext/public/js/setup_wizard.js +395,Add a few sample records,Adicione alguns registros de exemplo
DocType: Lead,Lower Income,Baixa Renda
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Conta diferença deve ser uma conta de tipo ativo / passivo, uma vez que este da reconciliação é uma entrada de Abertura"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Número do Pedido de Compra necessário para o item {0}
@ -2084,7 +2079,7 @@ DocType: Supplier,Supplier Details,Detalhes do Fornecedor
DocType: Expense Claim,Approval Status,Estado da Aprovação
DocType: Hub Settings,Publish Items to Hub,Publicar itens ao Hub
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},Do valor deve ser menor do que o valor na linha {0}
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,por transferência bancária
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +173,Wire Transfer,por transferência bancária
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,Verifique todos
DocType: Vehicle Log,Invoice Ref,Nota Fiscal de Referência
DocType: Company,Default Income Account,Conta Padrão de Recebimento
@ -2113,7 +2108,6 @@ 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/public/js/setup_wizard.js +245,e.g. VAT,ex: ICMS
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Subcontratação
DocType: Journal Entry Account,Journal Entry Account,Conta de Lançamento no Livro Diário
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Grupo de Alunos
@ -2137,7 +2131,7 @@ DocType: Lead,Address Desc,Descrição do Endereço
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +101,Party is mandatory,É obrigatório colocar o sujeito
DocType: Topic,Topic Name,Nome do tópico
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Pelo menos um dos Vendedores ou Compradores deve ser selecionado
apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Selecione a natureza do seu negócio.
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}
@ -2159,7 +2153,7 @@ apps/erpnext/erpnext/accounts/utils.py +497,Please set default {0} in Company {1
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +31,Same supplier has been entered multiple times,Mesmo fornecedor foi inserido várias vezes
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Lucro / Prejuízo Bruto
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Item Fornecido do Pedido de Compra
apps/erpnext/erpnext/public/js/setup_wizard.js +129,Company Name cannot be Company,Nome da empresa não pode ser empresa
apps/erpnext/erpnext/public/js/setup_wizard.js +139,Company Name cannot be Company,Nome da empresa não pode ser empresa
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Cabeçalhos para modelos de impressão.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"Títulos para modelos de impressão , por exemplo, Proforma Invoice ."
DocType: Student Guardian,Student Guardian,Responsável pelo Aluno
@ -2216,7 +2210,7 @@ apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +569,Please select Posting Date before selecting Party,"Por favor, selecione data de lançamento antes de selecionar o sujeito"
DocType: Serial No,Out of AMC,Fora do CAM
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Criar Visita de Manutenção
apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,"Por favor, entre em contato com um usuário que tem a função {0} Gerente de Cadastros de Vendas"
apps/erpnext/erpnext/selling/doctype/customer/customer.py +170,Please contact to the user who have Sales Master Manager {0} role,"Por favor, entre em contato com um usuário que tem a função {0} Gerente de Cadastros de Vendas"
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,"Cadastro da Empresa (a própria companhia, não se refere ao cliente, nem ao fornecedor)"
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Isto é baseado na frequência do aluno
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,A Guia de Remessa {0} deve ser cancelada antes de cancelar este Pedido de Venda
@ -2241,7 +2235,7 @@ 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
DocType: Sales Person,Sales Person Name,Nome do Vendedor
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,"Por favor, indique pelo menos uma fatura na tabela"
apps/erpnext/erpnext/public/js/setup_wizard.js +198,Add Users,Adicionar Usuários
apps/erpnext/erpnext/utilities/user_progress.py +201,Add Users,Adicionar Usuários
DocType: POS Item Group,Item Group,Grupo de Itens
DocType: Item,Safety Stock,Estoque de Segurança
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Impostos e taxas acrescidos (moeda da empresa)
@ -2258,7 +2252,7 @@ apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,No Estoque:
DocType: Notification Control,Custom Message,Mensagem personalizada
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Investimento Bancário
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Cash or Bank Account is mandatory for making payment entry,Dinheiro ou conta bancária é obrigatória para a tomada de entrada de pagamento
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,internar
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Intern,internar
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Transações com ações antes {0} são congelados
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',"Por favor, clique em ""Gerar Agenda"""
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","ex: Kg, Unidade, nº, m"
@ -2279,7 +2273,7 @@ DocType: Process Payroll,Process Payroll,Processar a Folha de Pagamento
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +238,There are more holidays than working days this month.,Há mais feriados do que dias úteis do mês.
DocType: Product Bundle Item,Product Bundle Item,Item do Pacote de Produtos
DocType: Sales Partner,Sales Partner Name,Nome do Parceiro de Vendas
apps/erpnext/erpnext/hooks.py +119,Request for Quotations,Solicitação de Orçamento
apps/erpnext/erpnext/hooks.py +123,Request for Quotations,Solicitação de Orçamento
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
@ -2311,7 +2305,6 @@ apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created
DocType: Issue,Raised By (Email),Levantadas por (Email)
DocType: Training Event,Trainer Name,Nome do Instrutor
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Não pode deduzir quando é para categoria ' Avaliação ' ou ' Avaliação e Total'
apps/erpnext/erpnext/public/js/setup_wizard.js +238,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Lista de suas cabeças fiscais (por exemplo, IVA, etc aduaneiras; eles devem ter nomes exclusivos) e suas taxas normais. Isto irá criar um modelo padrão, que você pode editar e adicionar mais tarde."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Nº de Série Obrigatório para o Item Serializado {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Conciliação de Pagamentos
DocType: Journal Entry,Bank Entry,Lançamento Bancário
@ -2323,7 +2316,7 @@ DocType: Production Planning Tool,Get Material Request,Obter Requisições de Ma
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Total (Quantia)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Entretenimento & Lazer
DocType: Quality Inspection,Item Serial No,Nº de série do Item
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Criar registros de colaboradores
apps/erpnext/erpnext/utilities/activation.py +135,Create Employee Records,Criar registros de colaboradores
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +68,Total Present,Total Presente
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Demonstrativos Contábeis
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,"New Serial Não, não pode ter Warehouse. Warehouse deve ser definida pelo Banco de entrada ou Recibo de compra"
@ -2341,7 +2334,7 @@ DocType: Production Planning Tool,Production Planning Tool,Ferramenta de Planeja
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
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Criar Usuários
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.
DocType: Stock Entry,Update Rate and Availability,Atualizar Valor e Disponibilidade
@ -2354,7 +2347,7 @@ DocType: Serial No,AMC Expiry Date,Data de Validade do CAM
,Sales Register,Registro de Vendas
DocType: Daily Work Summary Settings Company,Send Emails At,Enviar Emails em
DocType: Quotation,Quotation Lost Reason,Motivo da perda do Orçamento
apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Selecione o seu Domínio
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/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
@ -2481,11 +2474,11 @@ apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent
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/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,Como na Data
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,Provação
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
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,Quantia total paga
DocType: Production Order Item,Transferred Qty,Qtde Transferida
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planejamento
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
@ -2499,7 +2492,7 @@ DocType: Buying Settings,Default Supplier Type,Padrão de Tipo de Fornecedor
DocType: Production Order,Total Operating Cost,Custo de Operacional Total
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,Observação: O Item {0} foi inserido mais de uma vez
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Todos os Contatos.
apps/erpnext/erpnext/public/js/setup_wizard.js +62,Company Abbreviation,Sigla da Empresa
apps/erpnext/erpnext/public/js/setup_wizard.js +66,Company Abbreviation,Sigla da Empresa
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Usuário {0} não existe
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +179,Payment Entry already exists,Pagamento já existe
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Não authroized desde {0} excede os limites
@ -2512,14 +2505,14 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandat
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Cotações para Clientes em Potencial ou Clientes.
DocType: Stock Settings,Role Allowed to edit frozen stock,Papel permissão para editar estoque congelado
,Territory Target Variance Item Group-Wise,Variação Territorial de Público por Grupo de Item
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Todos os grupos de clientes
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/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)
DocType: Products Settings,Products Settings,Configurações de Produtos
DocType: Monthly Distribution Percentage,Percentage Allocation,Alocação Percentual
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,secretário
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +119,Secretary,secretário
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Desativa campo ""por extenso"" em qualquer tipo de transação"
DocType: Serial No,Distinct unit of an Item,Unidade distinta de um item
DocType: Pricing Rule,Buying,Compras
@ -2537,7 +2530,7 @@ DocType: Item,Opening Stock,Abertura de Estoque
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,O Cliente é obrigatório
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} é obrigatório para Devolução
DocType: Purchase Order,To Receive,Receber
apps/erpnext/erpnext/public/js/setup_wizard.js +207,user@example.com,usuario@exemplo.com.br
apps/erpnext/erpnext/utilities/user_progress.py +206,user@example.com,usuario@exemplo.com.br
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Variância total
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Se ativado, o sistema irá postar lançamentos contábeis para o inventário automaticamente."
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +15,Brokerage,Corretagem
@ -2590,13 +2583,11 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Tarefas
DocType: Employee,Held On,Realizada em
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Bem de Produção
,Employee Information,Informações do Colaborador
apps/erpnext/erpnext/public/js/setup_wizard.js +247,Rate (%),Percentual (%)
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Não é possível filtrar com base no Comprovante Não, se agrupados por voucher"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +891,Make Supplier Quotation,Criar Orçamento do Fornecedor
DocType: BOM,Materials Required (Exploded),Materiais necessários (lista explodida)
apps/erpnext/erpnext/public/js/setup_wizard.js +199,"Add users to your organization, other than yourself","Adicione usuários à sua organização, além de você mesmo"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Número de ordem {1} não coincide com {2} {3}
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Casual Deixar
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Casual Leave,Casual Deixar
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Observação: {0}
,Delivery Note Trends,Tendência de Remessas
apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,Quantidade no Estoque
@ -2607,7 +2598,7 @@ DocType: Purchase Receipt,Return Against Purchase Receipt,Devolução contra Rec
DocType: Request for Quotation Item,Request for Quotation Item,Solicitação de Orçamento do Item
DocType: Purchase Order,To Bill,Para Faturar
DocType: Material Request,% Ordered,% Comprado
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,trabalho por peça
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Piecework,trabalho por peça
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Méd. Valor de Compra
DocType: Task,Actual Time (in Hours),Tempo Real (em horas)
DocType: Employee,History In Company,Histórico na Empresa
@ -2696,7 +2687,7 @@ apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +18,{0} a
apps/erpnext/erpnext/config/buying.py +7,Purchasing,Requisições
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Armazém não pode ser excluído pois existe entrada de material para este armazém.
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Valor pago
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Gerente de Projetos
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Project Manager,Gerente de Projetos
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Max desconto permitido para o item: {0} é {1}%
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +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.
@ -2740,7 +2731,7 @@ 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 +941,It is needed to fetch Item Details.,É preciso buscar Número detalhes.
apps/erpnext/erpnext/public/js/controllers/transaction.js +952,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"
@ -2750,7 +2741,7 @@ 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?
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 +59,Sick Leave,Licença Médica
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Sick Leave,Licença Médica
DocType: Email Digest,Email Digest,Resumo por Email
DocType: Delivery Note,Billing Address Name,Endereço de Faturamento
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,Lojas de Departamento
@ -2765,7 +2756,7 @@ DocType: Daily Work Summary,Email Sent To,Email Enviado para
DocType: Budget,Warn,Avisar
DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Quaisquer outras observações, esforço digno de nota que deve constar nos registros."
DocType: BOM,Manufacturing User,Usuário de Fabricação
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Gerente de Desenvolvimento de Negócios
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Business Development Manager,Gerente de Desenvolvimento de Negócios
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Finalidade da Visita de Manutenção
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,Livro Razão
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +33,Employee {0} on Leave on {1},Colaborador {0} de licença em {1}
@ -2804,7 +2795,7 @@ apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Alocar licen
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Cheques e depósitos apagados incorretamente
apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Conta {0}: Você não pode definir a própria conta como uma conta superior
DocType: Purchase Invoice Item,Price List Rate,Preço na Lista de Preços
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Criar orçamentos de clientes
apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Criar orçamentos de clientes
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Mostrar ""Em Estoque"" ou ""Esgotado"" baseado no estoque disponível neste armazén."
DocType: Item,Average time taken by the supplier to deliver,Tempo médio necessário para entrega do fornecedor.
DocType: Project,Expected Start Date,Data Prevista de Início
@ -2867,7 +2858,7 @@ apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not author
DocType: Payment Reconciliation,Get Unreconciled Entries,Obter Lançamentos não Conciliados
DocType: Payment Reconciliation,From Invoice Date,A Partir da Data de Faturamento
apps/erpnext/erpnext/accounts/party.py +261,Billing currency must be equal to either default comapany's currency or party account currency,A moeda de faturamento deve ser igual à moeda padrão da empresa ou à moeda padrão da conta da outra parte
apps/erpnext/erpnext/public/js/setup_wizard.js +96,What does it do?,O que isto faz ?
apps/erpnext/erpnext/public/js/setup_wizard.js +106,What does it do?,O que isto faz ?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Para o Armazén
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Todas Admissões de Alunos
,Average Commission Rate,Percentual de Comissão Médio
@ -2876,8 +2867,8 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not
DocType: Pricing Rule,Pricing Rule Help,Regra Preços Ajuda
DocType: Purchase Taxes and Charges,Account Head,Conta
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,Atualize custos adicionais para calcular o custo de desembarque dos itens
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,elétrico
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,Adicione o resto de sua organização como seus usuários. Você também pode adicionar clientes convidados ao seu portal adicionando-os de Contatos
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Electrical,elétrico
apps/erpnext/erpnext/utilities/activation.py +100,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,Adicione o resto de sua organização como seus usuários. Você também pode adicionar clientes convidados ao seu portal adicionando-os de Contatos
DocType: Stock Entry,Total Value Difference (Out - In),Diferença do Valor Total (Saída - Entrada)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Linha {0}: Taxa de Câmbio é obrigatória
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},ID de usuário não definida para Colaborador {0}
@ -2940,7 +2931,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +87,Tax Rule Conflict
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,Nome da Nova Conta
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Custo de fornecimento de Matérias-primas
DocType: Selling Settings,Settings for Selling Module,Configurações do Módulo de Vendas
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Atendimento ao Cliente
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Customer Service,Atendimento ao Cliente
DocType: Item Customer Detail,Item Customer Detail,Detalhe do Cliente do Item
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Ofertar vaga ao candidato.
DocType: Notification Control,Prompt for Email on Submission of,Solicitar o Envio de Email no Envio do Documento
@ -2968,7 +2959,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a
DocType: BOM,Raw Material Cost,Custo de Matéria-prima
DocType: Item Reorder,Re-Order Level,Nível de Reposição
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Digite itens e qtde planejada para o qual você quer levantar ordens de produção ou fazer o download de matérias-primas para a análise.
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,De meio expediente
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Part-time,De meio expediente
DocType: Employee,Applicable Holiday List,Lista de Férias Aplicável
apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,Tipo de Relatório é obrigatório
DocType: Item,Serial Number Series,Séries de Nº de Série
@ -2997,7 +2988,7 @@ DocType: Company,Round Off Account,Conta de Arredondamento
DocType: Customer Group,Parent Customer Group,Grupo de Clientes pai
DocType: Purchase Invoice,Contact Email,Email do Contato
DocType: Appraisal Goal,Score Earned,Pontuação Obtida
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +202,Notice Period,Período de Aviso Prévio
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +224,Notice Period,Período de Aviso Prévio
DocType: Asset Category,Asset Category Name,Ativo Categoria Nome
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,Este é um território de raiz e não pode ser editada.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Nome do Novo Vendedor
@ -3009,7 +3000,6 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +493,Credit
DocType: Landed Cost Item,Landed Cost Item,Custo de Desembarque do Item
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Mostrar valores zerados
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Quantidade do item obtido após a fabricação / reembalagem a partir de determinadas quantidades de matéria-prima
apps/erpnext/erpnext/public/js/setup_wizard.js +397,Setup a simple website for my organization,Configurar um website simples para a minha organização
DocType: Payment Reconciliation,Receivable / Payable Account,Conta de Recebimento/Pagamento
DocType: Delivery Note Item,Against Sales Order Item,Relacionado ao Item do Pedido de Venda
apps/erpnext/erpnext/stock/doctype/item/item.py +644,Please specify Attribute Value for attribute {0},"Por favor, especifique Atributo Valor para o atributo {0}"
@ -3059,7 +3049,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Valor de Compra
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +259,Supplier Quotation {0} created,Orçamento do fornecedor {0} criado
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,O ano final não pode ser antes do ano de início
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Employee Benefits,Benefícios a Colaboradores
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +217,Employee Benefits,Benefícios a Colaboradores
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},Embalado quantidade deve ser igual a quantidade de item {0} na linha {1}
DocType: Production Order,Manufactured Qty,Qtde Fabricada
DocType: Purchase Receipt Item,Accepted Quantity,Quantidade Aceita
@ -3131,7 +3121,7 @@ DocType: Purchase Invoice,Taxes and Charges Deducted (Company Currency),Impostos
DocType: Item Group,General Settings,Configurações Gerais
apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +23,From Currency and To Currency cannot be same,De Moeda e Para Moeda não pode ser o mesmo
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,Você deve salvar o formulário antes de continuar
apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Anexar Logo
apps/erpnext/erpnext/public/js/setup_wizard.js +51,Attach Logo,Anexar Logo
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,Níveis de Estoque
DocType: Customer,Commission Rate,Percentual de Comissão
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Bloquear licenças por departamento.
@ -3156,7 +3146,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +351,
apps/erpnext/erpnext/config/projects.py +13,Project master.,Cadastro de Projeto.
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Não mostrar nenhum símbolo como R$ etc ao lado de moedas.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(Meio Período)
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Faça uma Série de Alunos
apps/erpnext/erpnext/utilities/activation.py +128,Make Student Batch,Faça uma Série de Alunos
DocType: Leave Type,Is Carry Forward,É encaminhado
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Prazo de Entrega (em dias)
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,"Por favor, indique os pedidos de venda na tabela acima"

1 DocType: Employee Salary Mode Modo de Salário
23 DocType: Delivery Note Return Against Delivery Note Devolução contra Guia de Remessa
24 DocType: Purchase Order % Billed Faturado %
25 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43 Exchange Rate must be same as {0} {1} ({2}) Taxa de câmbio deve ser o mesmo que {0} {1} ({2})
26 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +127 Bank account cannot be named as {0} A conta bancária não pode ser nomeada como {0}
27 DocType: Account Heads (or groups) against which Accounting Entries are made and balances are maintained. Heads (ou grupos) contra o qual as entradas de Contabilidade são feitas e os saldos são mantidos.
28 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196 Outstanding for {0} cannot be less than zero ({1}) Excelente para {0} não pode ser inferior a zero ( {1})
29 DocType: Manufacturing Settings Default 10 mins Padrão 10 minutos
40 apps/erpnext/erpnext/utilities/transaction_base.py +110 Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) Linha # {0}: O Valor deve ser o mesmo da {1}: {2} ({3} / {4})
41 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282 New Leave Application Aplicação deixar Nova
42 Batch Item Expiry Status Status do Vencimento do Item do Lote
43 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +175 Bank Draft Cheque Administrativo
44 DocType: Mode of Payment Account Mode of Payment Account Modo de pagamento da conta
45 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546 Accounts table cannot be blank. Tabela de Contas não pode estar vazia.
46 DocType: Employee Education Year of Passing Ano de passagem
57 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}
58 DocType: Delivery Note Vehicle No Placa do Veículo
59 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154 Please select Price List Por favor, selecione Lista de Preço
60 apps/erpnext/erpnext/public/js/setup_wizard.js +216 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +118 Accountant Contador
61 DocType: Cost Center Stock User Usuário de Estoque
62 apps/erpnext/erpnext/controllers/recurring_document.py +135 New {0}: #{1} Nova {0}: # {1}
63 Sales Partners Commission Comissão dos Parceiros de Vendas
84 DocType: POS Profile Write Off Cost Center Centro de custo do abatimento
85 apps/erpnext/erpnext/config/stock.py +32 Stock Reports Relatórios de Estoque
86 DocType: Warehouse Warehouse Detail Detalhes do Armazén
87 apps/erpnext/erpnext/selling/doctype/customer/customer.py +161 apps/erpnext/erpnext/selling/doctype/customer/customer.py +164 Credit limit has been crossed for customer {0} {1}/{2} O limite de crédito foi analisado para o cliente {0} {1} / {2}
88 apps/erpnext/erpnext/stock/doctype/item/item.py +467 "Is Fixed Asset" cannot be unchecked, as Asset record exists against the item "É Ativo Fixo" não pode ser desmarcado se já existe um registro de Ativo relacionado ao item
89 DocType: Vehicle Service Brake Oil Óleo de Freio
90 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160 You are not authorized to add or update entries before {0} Você não está autorizado para adicionar ou atualizar entradas antes de {0}
125 DocType: Daily Work Summary Daily Work Summary Resumo de Trabalho Diário
126 DocType: Period Closing Voucher Closing Fiscal Year Encerramento do Exercício Fiscal
127 apps/erpnext/erpnext/accounts/party.py +357 {0} {1} is frozen {0} {1} está congelado
128 apps/erpnext/erpnext/setup/doctype/company/company.py +139 apps/erpnext/erpnext/setup/doctype/company/company.py +136 Please select Existing Company for creating Chart of Accounts Por favor, selecione empresa já existente para a criação de Plano de Contas
129 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80 Stock Expenses Despesas com Estoque
130 DocType: Journal Entry Contra Entry Contrapartida de Entrada
131 DocType: Journal Entry Account Credit in Company Currency Crédito em moeda da empresa
144 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14 Broadcasting Radio-difusão
145 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182 Execution execução
146 apps/erpnext/erpnext/config/manufacturing.py +62 Details of the operations carried out. Os detalhes das operações realizadas.
147 DocType: Serial No Maintenance Status Status da Manutenção
148 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56 {0} {1}: Supplier is required against Payable account {2} {0} {1}: Fornecedor é necessário contra Conta a Pagar {2}
149 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2 Total hours: {0} Total de horas: {0}
150 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43 From Date should be within the Fiscal Year. Assuming From Date = {0} A partir de data deve estar dentro do ano fiscal. Assumindo De Date = {0}
186 DocType: Sales Partner Partner website Site Parceiro
187 apps/erpnext/erpnext/public/js/setup_wizard.js +267 apps/erpnext/erpnext/utilities/user_progress.py +46 Contact Name Nome do Contato
188 DocType: Process Payroll Creates salary slip for above mentioned criteria. Cria folha de pagamento para os critérios mencionados acima.
189 DocType: Vehicle Additional Details Detalhes Adicionais
190 apps/erpnext/erpnext/templates/generators/bom.html +85 No description given Nenhuma descrição informada
191 apps/erpnext/erpnext/config/buying.py +13 Request for purchase. Solicitação de Compra.
192 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6 This is based on the Time Sheets created against this project Isto é baseado nos Registros de Tempo relacionados a este Projeto
194 apps/erpnext/erpnext/hr/doctype/employee/employee.py +116 Relieving Date must be greater than Date of Joining A Data da Licença deve ser maior que Data de Contratação
195 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +201 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +223 Leaves per Year Folhas por ano
196 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130 Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry. Linha {0}: Por favor, selecione 'É Adiantamento' se este é um lançamento de adiantamento relacionado à conta {1}.
197 apps/erpnext/erpnext/stock/utils.py +212 Warehouse {0} does not belong to company {1} Armazém {0} não pertence à empresa {1}
198 DocType: Email Digest Profit & Loss Lucro e Perdas
199 DocType: Task Total Costing Amount (via Time Sheet) Custo Total (via Registro de Tempo)
200 DocType: Item Website Specification Item Website Specification Especificação do Site do Item
209 DocType: Purchase Invoice The unique id for tracking all recurring invoices. It is generated on submit. ID exclusiva para acompanhar todas as notas fiscais recorrentes. Ela é gerada ao enviar.
210 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +126 Software Developer Software Developer
211 DocType: Item Minimum Order Qty Pedido Mínimo
212 Student Batch-Wise Attendance Controle de Frequência por Série de Alunos
213 DocType: POS Profile Allow user to edit Rate Permitir que o usuário altere o preço
214 DocType: Item Publish in Hub Publicar no Hub
215 DocType: Student Admission Student Admission Admissão do Aluno
277 apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3 Create Student Groups Criar Grupos de Alunos
278 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +22 Setup Already Complete!! Instalação já está concluída!
279 DocType: Quality Inspection Inspected By Inspecionado por
280 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59 Serial No {0} does not belong to Delivery Note {1} Serial Não {0} não pertence a entrega Nota {1}
281 apps/erpnext/erpnext/templates/pages/demo.html +47 ERPNext Demo Demo do ERPNext
282 DocType: Leave Application Leave Approver Name Nome do Aprovador de Licenças
283 DocType: Depreciation Schedule Schedule Date Data Agendada
296 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.
297 apps/erpnext/erpnext/utilities/activation.py +88 apps/erpnext/erpnext/utilities/activation.py +90 Create Purchase Orders Criar Pedidos de Compra
298 Purchase Register Registro de Compras
299 DocType: Landed Cost Item Applicable Charges Encargos aplicáveis
300 DocType: Workstation Consumable Cost Custo dos Consumíveis
301 DocType: Purchase Receipt Vehicle Date Data do Veículo
302 DocType: Student Log Medical Médico
346 DocType: Pricing Rule Valid Upto Válido até
347 apps/erpnext/erpnext/public/js/setup_wizard.js +257 apps/erpnext/erpnext/utilities/user_progress.py +39 List a few of your customers. They could be organizations or individuals. Lista de alguns de seus clientes. Eles podem ser empresas ou pessoas físicas.
348 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21 Enough Parts to Build Peças suficientes para construir
349 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128 Direct Income Receita Direta
350 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36 Can not filter based on Account, if grouped by Account Não é possível filtrar com base em conta , se agrupados por Conta
351 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +121 Administrative Officer Escritório Administrativo
352 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +342 Please select Company Por favor, selecione Empresa
353 DocType: Stock Entry Detail Difference Account Conta Diferença
354 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.
355 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
356 DocType: Production Order Additional Operating Cost Custo Operacional Adicional
416 DocType: Process Payroll Select Payment Account to make Bank Entry Selecione a conta de pagamento para fazer o lançamento bancário
417 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +181 Proposal Writing Proposta Redação
418 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35 Another Sales Person {0} exists with the same Employee id Outro Vendedor {0} existe com o mesmo ID de Colaborador
419 DocType: Production Planning Tool If checked, raw materials for items that are sub-contracted will be included in the Material Requests Se for selecionado, as matérias-primas para os itens sub-contratados serão incluídas nas Requisições de Material
420 apps/erpnext/erpnext/config/accounts.py +80 Masters Cadastros
421 apps/erpnext/erpnext/config/accounts.py +140 Update Bank Transaction Dates Conciliação Bancária
422 apps/erpnext/erpnext/config/projects.py +35 Time Tracking Controle de Tempo
440 DocType: Employee Passport Number Número do Passaporte
441 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115 Manager Gerente
442 apps/erpnext/erpnext/selling/doctype/customer/customer.py +124 apps/erpnext/erpnext/selling/doctype/customer/customer.py +127 New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0} Novo limite de crédito é inferior ao saldo devedor atual do cliente. O limite de crédito deve ser de pelo menos {0}
443 apps/erpnext/erpnext/controllers/trends.py +39 'Based On' and 'Group By' can not be same 'Baseado em' e ' Agrupar por' não podem ser o mesmo
444 DocType: Sales Person Sales Person Targets Metas do Vendedor
445 DocType: Production Order Operation In minutes Em Minutos
446 DocType: Issue Resolution Date Data da Solução
447 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319 Timesheet created: Registro de Tempo criado:
482 DocType: Vehicle Odometer Value (Last) Quilometragem do Odômetro (última)
483 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100 Marketing marketing
484 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +284 Payment Entry is already created Entrada de pagamento já foi criada
485 DocType: Purchase Receipt Item Supplied Current Stock Estoque Atual
486 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}
487 DocType: Account Expenses Included In Valuation Despesas Incluídas na Avaliação
488 Absent Student Report Relatório de Frequência do Aluno
582 apps/erpnext/erpnext/config/learn.py +202 Purchase Order to Payment Pedido de Compra para Pagamento
583 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48 Projected Qty Qtde Projetada
584 DocType: Sales Invoice Payment Due Date Data de Vencimento
585 apps/erpnext/erpnext/stock/doctype/item/item.js +349 Item Variant {0} already exists with same attributes Variant item {0} já existe com mesmos atributos
586 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +115 'Opening' 'Abrindo'
587 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130 Open To Do Atribuições em aberto
588 DocType: Notification Control Delivery Note Message Mensagem da Guia de Remessa
648 DocType: Lead Request for Information Solicitação de Informação
649 apps/erpnext/erpnext/accounts/page/pos/pos.js +758 Sync Offline Invoices Sincronizar Faturas Offline
650 DocType: Program Fee Program Fee Taxa do Programa
651 DocType: Material Request Item Lead Time Date Prazo de Entrega
652 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
653 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112 Row #{0}: Please specify Serial No for Item {1} Row # {0}: Favor especificar Sem Serial para item {1}
654 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622 For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table. Para os itens &#39;pacote de produtos &quot;, Armazém, Serial e não há Batch Não será considerada a partir do&#39; Packing List &#39;tabela. Se Warehouse e Batch Não são as mesmas para todos os itens de embalagem para qualquer item de &#39;Bundle Produto&#39;, esses valores podem ser inseridos na tabela do item principal, os valores serão copiados para &#39;Packing List&#39; tabela.
713 DocType: Asset Scrapped Sucateada
714 apps/erpnext/erpnext/config/stock.py +195 Attributes for Item Variants. e.g Size, Color etc. Atributos para item variantes. por exemplo, tamanho, cor etc.
715 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42 WIP Warehouse Armazén de Trabalho em Andamento
716 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +195 Serial No {0} is under maintenance contract upto {1} Nº de Série {0} está sob contrato de manutenção até {1}
717 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61 Item must be added using 'Get Items from Purchase Receipts' button O artigo deve ser adicionado usando "Obter itens de recibos de compra 'botão
718 DocType: Production Planning Tool Include non-stock items Incluir itens não que não são de estoque
719 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18 Standard Buying Compra padrão
727 DocType: Packing Slip Net Weight UOM Unidade de Medida do Peso Líquido
728 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +20 DocType: Manufacturing Settings {0} Results Over Production Allowance Percentage {0} Resultado Percentual Permitido de Produção Excedente
729 DocType: Manufacturing Settings DocType: Employee Loan Over Production Allowance Percentage Repayment Schedule Percentual Permitido de Produção Excedente Agenda de Pagamentos
730 DocType: Employee Loan DocType: Shipping Rule Condition Repayment Schedule Shipping Rule Condition Agenda de Pagamentos Regra Condições de envio
731 DocType: Shipping Rule Condition DocType: Holiday List Shipping Rule Condition Get Weekly Off Dates Regra Condições de envio Obter datas de descanso semanal
732 DocType: Holiday List apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33 Get Weekly Off Dates End Date can not be less than Start Date Obter datas de descanso semanal Data final não pode ser inferior a data de início
733 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33 DocType: Sales Person End Date can not be less than Start Date Select company name first. Data final não pode ser inferior a data de início Selecione o nome da empresa por primeiro.
766 DocType: Item Attribute Value DocType: Salary Slip This will be appended to the Item Code of the variant. For example, if your abbreviation is "SM", and the item code is "T-SHIRT", the item code of the variant will be "T-SHIRT-SM" Net Pay (in words) will be visible once you save the Salary Slip. Isso vai ser anexado ao Código do item da variante. Por exemplo, se a sua abreviatura é "SM", e o código do item é "t-shirt", o código do item da variante será "T-shirt-SM" Pagamento líquido (por extenso) será visível quando você salvar a folha de pagamento.
767 DocType: Salary Slip DocType: Purchase Invoice Net Pay (in words) will be visible once you save the Salary Slip. Is Return Pagamento líquido (por extenso) será visível quando você salvar a folha de pagamento. É Devolução
768 DocType: Purchase Invoice apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +787 Is Return Return / Debit Note É Devolução Devolução / Nota de Débito
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +787 Return / Debit Note Devolução / Nota de Débito
769 DocType: Price List Country Price List Country Preço da lista País
770 DocType: Item UOMs Unidades de Medida
771 apps/erpnext/erpnext/stock/utils.py +205 {0} valid serial nos for Item {1} {0} números de série válidos para o item {1}
773 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +26 POS Profile {0} already created for user: {1} and company {2} Perfil do PDV {0} já criado para o usuário: {1} e empresa {2}
774 DocType: Sales Invoice Item UOM Conversion Factor Fator de Conversão da Unidade de Medida
775 DocType: Stock Settings Default Item Group Grupo de Itens padrão
776 apps/erpnext/erpnext/config/buying.py +38 Supplier database. Banco de dados do fornecedor.
777 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +701 Cost Center For Item with Item Code ' Centro de Custos para Item com Código '
778 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28 Further accounts can be made under Groups, but entries can be made against non-Groups Outras contas podem ser feitas em Grupos, mas as entradas podem ser feitas contra os Não-Grupos
779 DocType: Lead Lead Cliente em Potencial
843 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83 Row {0}: Qty is mandatory Linha {0}: Qtde é obrigatória
844 apps/erpnext/erpnext/accounts/page/pos/pos.js +750 Sync Master Data Sincronizar com o Servidor
845 apps/erpnext/erpnext/public/js/setup_wizard.js +296 apps/erpnext/erpnext/utilities/user_progress.py +92 Your Products or Services Seus Produtos ou Serviços
846 DocType: Mode of Payment Mode of Payment Forma de Pagamento
847 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
848 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37 This is a root item group and cannot be edited. Este é um grupo de itens de raiz e não pode ser editada.
849 DocType: Journal Entry Account Purchase Order Pedido de Compra
869 apps/erpnext/erpnext/utilities/bot.py +39 Did not find any item called {0} Não havia nenhuma item chamado {0}
870 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47 There can only be one Shipping Rule Condition with 0 or blank value for "To Value" Só pode haver uma regra de envio Condição com 0 ou valor em branco para " To Valor "
871 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27 Note: This Cost Center is a Group. Cannot make accounting entries against groups. Nota: Este Centro de Custo é um grupo . Não pode fazer lançamentos contábeis contra grupos .
872 DocType: Item Website Item Groups Grupos de Itens do Site
873 DocType: Purchase Invoice Total (Company Currency) Total (moeda da empresa)
874 apps/erpnext/erpnext/stock/utils.py +200 Serial number {0} entered more than once Número de série {0} entrou mais de uma vez
875 DocType: Depreciation Schedule Journal Entry Lançamento no Livro Diário
884 DocType: BOM Operation Workstation Estação de Trabalho
885 DocType: Request for Quotation Supplier Request for Quotation Supplier Solicitação de Orçamento para Fornecedor
886 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +145 Hardware Ferramentas
887 DocType: Sales Order Recurring Upto recorrente Upto
888 DocType: Attendance HR Manager Gerente de RH
889 apps/erpnext/erpnext/accounts/party.py +175 Please select a Company Por favor, selecione uma empresa
890 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83 Privilege Leave Privilege Deixar
925 DocType: Leave Control Panel Leave blank if considered for all designations Deixe em branco se considerado para todas as designações
926 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
927 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350 Max: {0} Max: {0}
928 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24 From Datetime A partir da data e hora
929 apps/erpnext/erpnext/config/support.py +17 Communication log. Log de Comunicação.
930 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74 Buying Amount Valor de Compra
931 DocType: Sales Invoice Shipping Address Name Endereço de Entrega
932 DocType: Material Request Terms and Conditions Content Conteúdo dos Termos e Condições
933 apps/erpnext/erpnext/stock/doctype/item/item.py +684 Item {0} is not a stock Item Item {0} não é um item de estoque
934 DocType: Maintenance Visit Unscheduled Sem Agendamento
935 DocType: Salary Detail Depends on Leave Without Pay Depende de licença sem vencimento
994 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9 DocType: Landed Cost Voucher Update Print Format Landed Cost Help Atualizar Formato de Impressão Custo de Desembarque Ajuda
995 DocType: Landed Cost Voucher DocType: Purchase Invoice Landed Cost Help Select Shipping Address Custo de Desembarque Ajuda Selecione um Endereço de Entrega
996 DocType: Purchase Invoice DocType: Leave Block List Select Shipping Address Block Holidays on important days. Selecione um Endereço de Entrega Bloco Feriados em dias importantes.
DocType: Leave Block List Block Holidays on important days. Bloco Feriados em dias importantes.
997 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js +71 Accounts Receivable Summary Resumo do Contas a Receber
998 DocType: Employee Loan Monthly Repayment Amount Valor da Parcela Mensal
999 apps/erpnext/erpnext/hr/doctype/employee/employee.py +191 Please set User ID field in an Employee record to set Employee Role Por favor, defina o campo ID do usuário em um registro de empregado para definir Função Funcionário
1000 DocType: UOM UOM Name Nome da Unidade de Medida
1001 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43 Contribution Amount Contribuição Total
1002 DocType: Purchase Invoice Shipping Address Endereço para Entrega
1003 DocType: Stock Reconciliation This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses. Esta ferramenta ajuda você a atualizar ou corrigir a quantidade ea valorização das ações no sistema. Ele é geralmente usado para sincronizar os valores do sistema e que realmente existe em seus armazéns.
1004 DocType: Delivery Note In Words will be visible once you save the Delivery Note. Por extenso será visível quando você salvar a Guia de Remessa.
1154 DocType: Sales Order To Deliver and Bill Para Entregar e Faturar
1155 DocType: GL Entry Credit Amount in Account Currency Crédito em moeda da conta
1156 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +561 BOM {0} must be submitted LDM {0} deve ser enviada
1157 DocType: Authorization Control Authorization Control Controle de autorização
1158 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}
1159 apps/erpnext/erpnext/utilities/activation.py +79 apps/erpnext/erpnext/utilities/activation.py +81 Manage your orders Gerir seus pedidos
1160 DocType: Production Order Operation Actual Time and Cost Tempo e Custo Real
1161 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54 Material Request of maximum {0} can be made for Item {1} against Sales Order {2} Requisição de Material de no máximo {0} pode ser feita para item {1} relacionado à ordem de venda {2}
1162 DocType: Course Course Abbreviation Abreviação do Curso
1163 DocType: Student Leave Application Student Leave Application Pedido de Licença do Aluno
1164 DocType: Item Will also apply for variants Também se aplica às variantes
1200 DocType: Budget DocType: Vehicle Log Fiscal Year Fuel Price Exercício Fiscal Preço do Combustível
1201 DocType: Vehicle Log apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50 Fuel Price Budget cannot be assigned against {0}, as it's not an Income or Expense account Preço do Combustível Orçamento não pode ser atribuído contra {0}, pois não é uma conta de renda ou despesa
1202 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166 Budget cannot be assigned against {0}, as it's not an Income or Expense account Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2} Orçamento não pode ser atribuído contra {0}, pois não é uma conta de renda ou despesa Linha {0}: Valor alocado {1} deve ser menor ou igual ao saldo devedor {2} da nota
1203 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166 DocType: Sales Invoice Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2} In Words will be visible once you save the Sales Invoice. Linha {0}: Valor alocado {1} deve ser menor ou igual ao saldo devedor {2} da nota Por extenso será visível quando você salvar a Nota Fiscal de Venda.
1204 DocType: Sales Invoice DocType: Item In Words will be visible once you save the Sales Invoice. Is Sales Item Por extenso será visível quando você salvar a Nota Fiscal de Venda. É item de venda
1205 DocType: Item apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21 Is Sales Item Item Group Tree É item de venda Árvore de Grupos do Item
1206 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69 Item Group Tree Item {0} is not setup for Serial Nos. Check Item master Árvore de Grupos do Item Item {0} não está configurado para nºs de série mestre, verifique o cadastro do item
1209 DocType: Guardian Amount to Deliver Guardian Interests Total à Entregar Interesses do Responsável
1210 DocType: Guardian apps/erpnext/erpnext/controllers/accounts_controller.py +253 Guardian Interests Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year Interesses do Responsável Vários anos fiscais existem para a data {0}. Por favor, defina empresa no ano fiscal
1211 apps/erpnext/erpnext/controllers/accounts_controller.py +253 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233 Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year {0} created Vários anos fiscais existem para a data {0}. Por favor, defina empresa no ano fiscal {0} criou
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233 {0} created {0} criou
1212 DocType: Delivery Note Item Against Sales Order Relacionado ao Pedido de Venda
1213 Serial No Status Status do Nº de Série
1214 DocType: Payment Entry Reference Outstanding Saldo devedor
1215 Daily Timesheet Summary Resumo Diário dos Registros de Tempo
1216 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +137 Row {0}: To set {1} periodicity, difference between from and to date \ must be greater than or equal to {2} Fila {0}: Para definir {1} periodicidade, diferença entre a data de \ e deve ser maior do que ou igual a {2}
1217 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6 This is based on stock movement. See {0} for details Isto é baseado no movimento de estoque. Veja o {0} para maiores detalhes
1332 DocType: Opportunity Customer / Lead Address Endereço do Cliente/Cliente em Potencial
1333 apps/erpnext/erpnext/stock/doctype/item/item.py +208 Warning: Invalid SSL certificate on attachment {0} Aviso: certificado SSL inválido no anexo {0}
1334 DocType: Production Order Operation Actual Operation Time Tempo Real da Operação
1335 DocType: Authorization Rule Applicable To (User) Aplicável Para (Usuário)
1336 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +199 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +221 Job Description Descrição do Trabalho
1337 DocType: Sales Invoice Item Qty as per Stock UOM Qtde por UDM do Estoque
1338 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +127 Special Characters except "-", "#", "." and "/" not allowed in naming series Caracteres especiais, exceto "-" ".", "#", e "/", não são permitidos em nomeação em série
1339 DocType: Campaign Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment. Mantenha o controle de campanhas de vendas. Mantenha o controle de Clientes em Potencial, Orçamentos, Pedidos de Venda, de Campanhas e etc, para medir retorno sobre o investimento.
1340 SO Qty Qtde na OV
1341 DocType: Appraisal Calculate Total Score Calcular a Pontuação Total
1342 DocType: Request for Quotation Manufacturing Manager Gerente de Fabricação
1343 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191 Serial No {0} is under warranty upto {1} Nº de Série {0} está na garantia até {1}
1344 apps/erpnext/erpnext/config/stock.py +158 Split Delivery Note into packages. Dividir Guia de Remessa em pacotes.
1379 apps/erpnext/erpnext/config/accounts.py +69 Tree of financial accounts. Árvore de contas financeiras.
1380 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +364 {0} against Sales Order {1} {0} contra o Pedido de Venda {1}
1381 DocType: Account Fixed Asset Ativo Imobilizado
1382 apps/erpnext/erpnext/config/stock.py +315 Serialized Inventory Inventário por Nº de Série
1383 DocType: Activity Type Default Billing Rate Preço de Faturamento Padrão
1384 DocType: Sales Invoice Total Billing Amount Valor Total do Faturamento
1385 apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +80 Receivable Account Contas a Receber
1388 apps/erpnext/erpnext/config/selling.py +316 Sales Order to Payment Pedido de Venda para Pagamento
1389 DocType: Expense Claim Detail Expense Claim Detail Detalhe do Pedido de Reembolso de Despesas
1390 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859 Please select correct account Por favor, selecione conta correta
1391 DocType: Item Weight UOM UDM de Peso
1392 DocType: Salary Structure Employee Salary Structure Employee Colaborador da Estrutura Salário
1393 DocType: Employee Leave Approver Users who can approve a specific employee's leave applications Usuários que podem aprovar pedidos de licença de um colaborador específico
1394 DocType: Purchase Invoice Item Qty Qtde
1417 DocType: Authorization Rule Approving Role (above authorized value) Função de Aprovador (para autorização de valor excedente)
1418 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
1419 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}
1420 DocType: Production Order Operation Completed Qty Qtde Concluída
1421 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
1422 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27 Price List {0} is disabled Preço de {0} está desativado
1423 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +127 Row {0}: Completed Qty cannot be more than {1} for operation {2} Linha {0}: A qtde concluída não pode ser superior a {1} para a operação {2}
1485 apps/erpnext/erpnext/setup/doctype/company/company.py +70 Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency. Não é possível alterar a moeda padrão da empresa, porque existem operações existentes. Transações devem ser canceladas para alterar a moeda padrão.
1486 DocType: Grading Scale Interval Grade Description Descrição da Nota de Avaliação
1487 DocType: Stock Entry Purchase Receipt No Nº do Recibo de Compra
1488 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30 Earnest Money Sinal/Garantia em Dinheiro
1489 DocType: Process Payroll Create Salary Slip Criar Folha de Pagamento
1490 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137 Source of Funds (Liabilities) Fonte de Recursos (Passivos)
1491 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381 Quantity in row {0} ({1}) must be same as manufactured quantity {2} A quantidade na linha {0} ( {1} ) deve ser a mesma que a quantidade fabricada {2}
1522 apps/erpnext/erpnext/public/js/conf.js +28 User Forum Fórum de Usuários
1523 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +287 Raw Materials cannot be blank. Matérias-primas não pode ficar em branco.
1524 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.
1525 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +484 Quick Journal Entry Lançamento no Livro Diário Rápido
1526 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
1527 DocType: Employee Previous Work Experience Experiência anterior de trabalho
1528 DocType: Stock Entry For Quantity Para Quantidade
1558 DocType: Authorization Rule Applicable To (Role) Aplicável Para (Função)
1559 DocType: Stock Entry Purpose Finalidade
1560 DocType: Company Fixed Asset Depreciation Settings Configurações de Depreciação do Ativo Imobilizado
1561 DocType: Item Will also apply for variants unless overrridden Também se aplica a variantes a não ser que seja sobrescrito
1562 DocType: Production Order Manufacture against Material Request Fabricação Vinculada a uma Requisição de Material
1563 DocType: Item Reorder Request for Solicitado para
1564 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32 Approving User cannot be same as user the rule is Applicable To Usuário Aprovador não pode ser o mesmo usuário da regra: é aplicável a
1717 DocType: Payment Reconciliation Invoice DocType: Project Task Outstanding Amount Working Valor Devido Trabalhando
1718 DocType: Project Task DocType: Stock Ledger Entry Working Stock Queue (FIFO) Trabalhando Fila do estoque (PEPS)
1719 DocType: Stock Ledger Entry apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +41 Stock Queue (FIFO) {0} does not belong to Company {1} Fila do estoque (PEPS) {0} não pertence à empresa {1}
1720 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +41 DocType: Account {0} does not belong to Company {1} Round Off {0} não pertence à empresa {1} Arredondamento
1721 DocType: Account Round Off Requested Qty Arredondamento Qtde Solicitada
1722 DocType: Tax Rule Requested Qty Use for Shopping Cart Qtde Solicitada Use para Compras
1723 DocType: Tax Rule apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46 Use for Shopping Cart Charges will be distributed proportionately based on item qty or amount, as per your selection Use para Compras Encargos serão distribuídos proporcionalmente com base na qtde de itens ou valor, conforme sua seleção
1740 apps/erpnext/erpnext/accounts/page/pos/pos.js +474 DocType: Process Payroll Please select Apply Discount On Create Bank Entry for the total salary paid for the above selected criteria Por favor, selecione Aplicar Discount On Criar registro bancário para o total pago de salários pelos critérios acima selecionados
1741 DocType: Process Payroll DocType: Stock Entry Create Bank Entry for the total salary paid for the above selected criteria Material Transfer for Manufacture Criar registro bancário para o total pago de salários pelos critérios acima selecionados Transferência de Material para Fabricação
1742 DocType: Stock Entry apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20 Material Transfer for Manufacture Discount Percentage can be applied either against a Price List or for all Price List. Transferência de Material para Fabricação Percentual de desconto pode ser aplicado contra uma lista de preços ou para todos Lista de Preços.
1743 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +400 Discount Percentage can be applied either against a Price List or for all Price List. Accounting Entry for Stock Percentual de desconto pode ser aplicado contra uma lista de preços ou para todos Lista de Preços. Lançamento Contábil de Estoque
1744 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +400 DocType: Sales Invoice Accounting Entry for Stock Sales Team1 Lançamento Contábil de Estoque Equipe de Vendas 1
1745 DocType: Sales Invoice apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39 Sales Team1 Item {0} does not exist Equipe de Vendas 1 Item {0} não existe
1746 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39 DocType: Sales Invoice Item {0} does not exist Customer Address Item {0} não existe Endereço do Cliente
1747 DocType: Sales Invoice DocType: Employee Loan Customer Address Loan Details Endereço do Cliente Detalhes do Empréstimo
1748 DocType: Employee Loan DocType: Company Loan Details Default Inventory Account Detalhes do Empréstimo Conta de Inventário Padrão
1749 DocType: Company apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124 Default Inventory Account Row {0}: Completed Qty must be greater than zero. Conta de Inventário Padrão Linha {0}: A qtde concluída deve superior a zero.
1750 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124 DocType: Purchase Invoice Row {0}: Completed Qty must be greater than zero. Apply Additional Discount On Linha {0}: A qtde concluída deve superior a zero. Aplicar Desconto Adicional em
DocType: Purchase Invoice Apply Additional Discount On Aplicar Desconto Adicional em
1751 DocType: Account Root Type Tipo de Raiz
1752 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132 Row # {0}: Cannot return more than {1} for Item {2} Linha # {0}: Não é possível retornar mais de {1} para o item {2}
1753 apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29 Plot Plotar
1754 DocType: Item Group Show this slideshow at the top of the page Mostrar esta apresentação de slides no topo da página
1755 DocType: BOM Item UOM Unidade de Medida do Item
1756 DocType: Sales Taxes and Charges Tax Amount After Discount Amount (Company Currency) Valor do imposto após desconto (moeda da empresa)
1757 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150 Target warehouse is mandatory for row {0} Destino do Warehouse é obrigatória para a linha {0}
1758 DocType: Purchase Invoice Select Supplier Address Selecione um Endereço do Fornecedor
1759 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +380 Add Employees Adicionar Colaboradores
1761 DocType: Company Standard Template Template Padrão
1762 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +777 Warning: Material Requested Qty is less than Minimum Order Qty Aviso: A quantidade de material solicitado é menor do que o Pedido Mínimo
1763 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211 Account {0} is frozen A Conta {0} está congelada
1764 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.
1765 DocType: Payment Request Mute Email Mudo Email
1766 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29 Food, Beverage & Tobacco Alimentos, Bebidas e Fumo
1767 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}
1867 DocType: Activity Cost Billing Rate Preço de Faturamento
1868 Qty to Deliver Qtde para Entregar
1869 Stock Analytics Análise do Estoque
1870 DocType: Maintenance Visit Purpose Against Document Detail No Contra o Nº do Documento Detalhado
1871 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +98 Party Type is mandatory É obrigatório colocar o Tipo de Sujeito
1872 DocType: Quality Inspection Outgoing De Saída
1873 DocType: Material Request Requested For Solicitado para
1895 DocType: Employee Education School/University Escola / Universidade
1896 DocType: Payment Request Reference Details Detalhes Referência
1897 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59 Expected Value After Useful Life must be less than Gross Purchase Amount Valor Esperado após sua vida útil deve ser inferior a Valor Bruto de Compra
1898 DocType: Sales Invoice Item Available Qty at Warehouse Qtde Disponível no Estoque
1899 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20 Billed Amount Total Faturado
1900 DocType: Asset Double Declining Balance Equilíbrio decrescente duplo
1901 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.
1902 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
1903 DocType: Bank Reconciliation Bank Reconciliation Conciliação bancária
1904 DocType: Attendance On Leave De Licença
1905 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7 Get Updates Receber notícias
1906 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96 {0} {1}: Account {2} does not belong to Company {3} {0} {1}: Conta {2} não pertence à empresa {3}
1915 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +432 Stock Projected Qty Customer {0} does not belong to project {1} Projeção de Estoque Cliente {0} não pertence ao projeto {1}
1916 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +432 DocType: Employee Attendance Tool Customer {0} does not belong to project {1} Marked Attendance HTML Cliente {0} não pertence ao projeto {1} Presença marcante HTML
1917 DocType: Employee Attendance Tool DocType: Sales Order Marked Attendance HTML Customer's Purchase Order Presença marcante HTML Pedido de Compra do Cliente
1918 DocType: Sales Order apps/erpnext/erpnext/config/stock.py +112 Customer's Purchase Order Serial No and Batch Pedido de Compra do Cliente Número de Série e Lote
1919 apps/erpnext/erpnext/config/stock.py +112 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89 Serial No and Batch Value or Qty Número de Série e Lote Valor ou Qtde
1920 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430 Value or Qty Productions Orders cannot be raised for: Valor ou Qtde Ordens de produção não puderam ser geradas para:
1921 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430 DocType: Purchase Invoice Productions Orders cannot be raised for: Purchase Taxes and Charges Ordens de produção não puderam ser geradas para: Impostos e Encargos sobre Compras
2015 apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58 DocType: Vehicle Missing Currency Exchange Rates for {0} Insurance Details Faltando taxas de câmbio para {0} Detalhes do Seguro
2016 DocType: Journal Entry DocType: Account Stock Entry Payable Lançamento no Estoque A pagar
2017 DocType: Vehicle apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76 Insurance Details Gross Profit % Detalhes do Seguro Lucro Bruto %
DocType: Account Payable A pagar
2018 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76 DocType: Bank Reconciliation Detail Gross Profit % Clearance Date Lucro Bruto % Data de Liberação
2019 DocType: Bank Reconciliation Detail apps/erpnext/erpnext/accounts/doctype/asset/asset.py +62 Clearance Date Gross Purchase Amount is mandatory Data de Liberação Valor Bruto de Compra é obrigatório
2020 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +62 DocType: Lead Gross Purchase Amount is mandatory Address Desc Valor Bruto de Compra é obrigatório Descrição do Endereço
2079 DocType: Company DocType: Purchase Order Default Letter Head Get Items from Open Material Requests Cabeçalho Padrão Obter Itens de Requisições de Material Abertas
2080 DocType: Purchase Order DocType: Item Get Items from Open Material Requests Standard Selling Rate Obter Itens de Requisições de Material Abertas Valor de venda padrão
2081 DocType: Item DocType: Account Standard Selling Rate Rate at which this tax is applied Valor de venda padrão Taxa em que este imposto é aplicado
2082 DocType: Account apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65 Rate at which this tax is applied Reorder Qty Taxa em que este imposto é aplicado Qtde para Reposição
2083 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28 Reorder Qty Current Job Openings Qtde para Reposição Vagas Disponíveis Atualmente
2084 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28 DocType: Company Current Job Openings Stock Adjustment Account Vagas Disponíveis Atualmente Conta de Ajuste
2085 DocType: Company apps/erpnext/erpnext/public/js/payment/pos_payment.html +17 Stock Adjustment Account Write Off Conta de Ajuste Abatimento
2108 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +81 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78 Paid amount + Write Off Amount can not be greater than Grand Total {0} is not a valid Batch Number for Item {1} Valor pago + Valor do abatimento não pode ser maior do que o total geral {0} não é um número de lote válido para o item {1}
2109 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149 {0} is not a valid Batch Number for Item {1} Note: There is not enough leave balance for Leave Type {0} {0} não é um número de lote válido para o item {1} Nota: Não é suficiente equilíbrio pela licença Tipo {0}
2110 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149 DocType: Program Enrollment Fee Note: There is not enough leave balance for Leave Type {0} Program Enrollment Fee Nota: Não é suficiente equilíbrio pela licença Tipo {0} Taxa de Inscrição no Programa
DocType: Program Enrollment Fee Program Enrollment Fee Taxa de Inscrição no Programa
2111 DocType: Item Supplier Items Itens do Fornecedor
2112 apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py +17 Transactions can only be deleted by the creator of the Company Transações só podem ser excluídos pelo criador da Companhia
2113 apps/erpnext/erpnext/accounts/general_ledger.py +21 Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction. Número incorreto de General Ledger Entries encontrado. Talvez você tenha selecionado uma conta de errado na transação.
2131 DocType: Purchase Invoice Taxes and Charges Added (Company Currency) Impostos e taxas acrescidos (moeda da empresa)
2132 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
2133 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
2134 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +79 Total Outstanding Amt Total devido
2135 DocType: Journal Entry Printing Settings Configurações de impressão
2136 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.
2137 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11 Automotive Automotivo
2153 DocType: Employee Offer Date Data da Oferta
2154 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33 Quotations Orçamentos
2155 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.
2156 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.
2157 DocType: Purchase Invoice Item Serial No Nº de Série
2158 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143 Please enter Maintaince Details first Por favor, indique Maintaince Detalhes primeiro
2159 DocType: Stock Entry Including items for sub assemblies Incluindo itens para subconjuntos
2210 apps/erpnext/erpnext/utilities/activation.py +133 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +68 Create Employee Records Total Present Criar registros de colaboradores Total Presente
2211 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +68 apps/erpnext/erpnext/config/accounts.py +107 Total Present Accounting Statements Total Presente Demonstrativos Contábeis
2212 apps/erpnext/erpnext/config/accounts.py +107 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29 Accounting Statements New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt Demonstrativos Contábeis New Serial Não, não pode ter Warehouse. Warehouse deve ser definida pelo Banco de entrada ou Recibo de compra
2213 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29 DocType: Lead New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt Lead Type New Serial Não, não pode ter Warehouse. Warehouse deve ser definida pelo Banco de entrada ou Recibo de compra Tipo de Cliente em Potencial
2214 DocType: Lead apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133 Lead Type You are not authorized to approve leaves on Block Dates Tipo de Cliente em Potencial Você não está autorizado a aprovar folhas em datas Bloco
2215 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383 You are not authorized to approve leaves on Block Dates All these items have already been invoiced Você não está autorizado a aprovar folhas em datas Bloco Todos esses itens já foram faturados
2216 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37 All these items have already been invoiced Can be approved by {0} Todos esses itens já foram faturados Pode ser aprovado pelo {0}
2235 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +163 Net Change in Equity Please cancel Purchase Invoice {0} first Mudança no Patrimônio Líquido Por favor cancelar a Nota Fiscal de Compra {0} primeiro
2236 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +163 DocType: Serial No Please cancel Purchase Invoice {0} first AMC Expiry Date Por favor cancelar a Nota Fiscal de Compra {0} primeiro Data de Validade do CAM
2237 DocType: Serial No AMC Expiry Date Sales Register Data de Validade do CAM Registro de Vendas
2238 DocType: Daily Work Summary Settings Company Sales Register Send Emails At Registro de Vendas Enviar Emails em
2239 DocType: Daily Work Summary Settings Company DocType: Quotation Send Emails At Quotation Lost Reason Enviar Emails em Motivo da perda do Orçamento
2240 DocType: Quotation apps/erpnext/erpnext/public/js/setup_wizard.js +19 Quotation Lost Reason Select your Domain Motivo da perda do Orçamento Selecione o seu Domínio
2241 apps/erpnext/erpnext/public/js/setup_wizard.js +15 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +364 Select your Domain Transaction reference no {0} dated {1} Selecione o seu Domínio Referência da transação nº {0} em {1}
2252 DocType: C-Form apps/erpnext/erpnext/config/hr.py +18 C-Form Mark Attendance for multiple employees Formulário-C Marcar presença de vários colaboradores
2253 apps/erpnext/erpnext/config/hr.py +18 DocType: Vehicle Mark Attendance for multiple employees Chassis No Marcar presença de vários colaboradores Nº do Chassi
2254 DocType: Vehicle DocType: Payment Request Chassis No Initiated Nº do Chassi Iniciada
2255 DocType: Payment Request DocType: Production Order Initiated Planned Start Date Iniciada Data Planejada de Início
2256 DocType: Production Order DocType: Serial No Planned Start Date Creation Document Type Data Planejada de Início Tipo de Criação do Documento
2257 DocType: Serial No DocType: Leave Type Creation Document Type Is Encash Tipo de Criação do Documento É cobrança
2258 DocType: Leave Type DocType: Leave Allocation Is Encash New Leaves Allocated É cobrança Novas Licenças alocadas
2273 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +450 DocType: Leave Allocation Warehouse required for stock Item {0} Unused leaves Armazém necessário para o ítem do estoque {0} Folhas não utilizadas
2274 DocType: Leave Allocation DocType: Tax Rule Unused leaves Billing State Folhas não utilizadas Estado de Faturamento
2275 DocType: Tax Rule apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882 Billing State Fetch exploded BOM (including sub-assemblies) Estado de Faturamento Buscar LDM explodida (incluindo sub-conjuntos )
2276 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882 DocType: Authorization Rule Fetch exploded BOM (including sub-assemblies) Applicable To (Employee) Buscar LDM explodida (incluindo sub-conjuntos ) Aplicável para (Colaborador)
2277 DocType: Authorization Rule apps/erpnext/erpnext/controllers/accounts_controller.py +123 Applicable To (Employee) Due Date is mandatory Aplicável para (Colaborador) Due Date é obrigatória
2278 apps/erpnext/erpnext/controllers/accounts_controller.py +123 apps/erpnext/erpnext/controllers/item_variant.py +80 Due Date is mandatory Increment for Attribute {0} cannot be 0 Due Date é obrigatória Atributo incremento para {0} não pode ser 0
2279 apps/erpnext/erpnext/controllers/item_variant.py +80 DocType: Journal Entry Increment for Attribute {0} cannot be 0 Pay To / Recd From Atributo incremento para {0} não pode ser 0 Pagar Para / Recebido De
2305 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108 DocType: Holiday List Negative Valuation Rate is not allowed Weekly Off Taxa de Avaliação negativa não é permitida Descanso semanal
2306 DocType: Holiday List DocType: Fiscal Year Weekly Off For e.g. 2012, 2012-13 Descanso semanal Para por exemplo 2012, 2012-13
2307 DocType: Fiscal Year apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +96 For e.g. 2012, 2012-13 Provisional Profit / Loss (Credit) Para por exemplo 2012, 2012-13 Provisão Lucro / Prejuízo (Crédito)
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +96 Provisional Profit / Loss (Credit) Provisão Lucro / Prejuízo (Crédito)
2308 DocType: Sales Invoice Return Against Sales Invoice Devolução contra Nota Fiscal de Venda
2309 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +32 Item 5 O item 5
2310 DocType: Serial No Creation Time Horário de Criação
2316 apps/erpnext/erpnext/controllers/stock_controller.py +236 {0} {1}: Cost Center is mandatory for Item {2} {0} {1}: Centro de Custo é obrigatória para item {2}
2317 DocType: Vehicle Policy No Nº da Apólice
2318 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659 Get Items from Product Bundle Obter Itens do Pacote de Produtos
2319 DocType: Asset Straight Line Linha reta
2320 DocType: Project User Project User Usuário do Projeto
2321 DocType: GL Entry Is Advance É Adiantamento
2322 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21 Attendance From Date and Attendance To Date is mandatory Data de Início do Comparecimento e Data Final de Comparecimento é obrigatória
2334 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
2335 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56 Opening Value Valor de Abertura
2336 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +47 Serial # Serial #
2337 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}
2338 DocType: Tax Rule Billing Country País de Faturamento
2339 DocType: Purchase Order Item Expected Delivery Date Data Prevista de Entrega
2340 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}.
2347 apps/erpnext/erpnext/config/hr.py +60 Applications for leave. Solicitações de licença.
2348 apps/erpnext/erpnext/accounts/doctype/account/account.py +177 Account with existing transaction can not be deleted Contas com transações existentes não pode ser excluídas
2349 DocType: Vehicle Last Carbon Check Última Inspeção de Emissão de Carbono
2350 DocType: Purchase Invoice Posting Time Horário da Postagem
2351 DocType: Timesheet % Amount Billed Valor Faturado %
2352 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118 Telephone Expenses Despesas com Telefone
2353 DocType: Sales Partner Logo Logotipo
2474 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +891 Can not filter based on Voucher No, if grouped by Voucher Make Supplier Quotation Não é possível filtrar com base no Comprovante Não, se agrupados por voucher Criar Orçamento do Fornecedor
2475 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +891 DocType: BOM Make Supplier Quotation Materials Required (Exploded) Criar Orçamento do Fornecedor Materiais necessários (lista explodida)
2476 DocType: BOM apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101 Materials Required (Exploded) Row # {0}: Serial No {1} does not match with {2} {3} Materiais necessários (lista explodida) Row # {0}: Número de ordem {1} não coincide com {2} {3}
2477 apps/erpnext/erpnext/public/js/setup_wizard.js +199 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77 Add users to your organization, other than yourself Casual Leave Adicione usuários à sua organização, além de você mesmo Casual Deixar
2478 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380 Row # {0}: Serial No {1} does not match with {2} {3} Note: {0} Row # {0}: Número de ordem {1} não coincide com {2} {3} Observação: {0}
2479 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55 Casual Leave Delivery Note Trends Casual Deixar Tendência de Remessas
2480 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20 Note: {0} In Stock Qty Observação: {0} Quantidade no Estoque
2481 apps/erpnext/erpnext/accounts/general_ledger.py +111 Delivery Note Trends Account: {0} can only be updated via Stock Transactions Tendência de Remessas Conta: {0} só pode ser atualizado via transações de ações
2482 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20 DocType: GL Entry In Stock Qty Party Quantidade no Estoque Sujeito
2483 apps/erpnext/erpnext/accounts/general_ledger.py +111 DocType: Opportunity Account: {0} can only be updated via Stock Transactions Opportunity Date Conta: {0} só pode ser atualizado via transações de ações Data da Oportunidade
2484 DocType: GL Entry DocType: Purchase Receipt Party Return Against Purchase Receipt Sujeito Devolução contra Recibo de Compra
2492 DocType: Task DocType: Stock Ledger Entry Actual Time (in Hours) Stock Ledger Entry Tempo Real (em horas) Lançamento do Livro de Inventário
2493 DocType: Employee DocType: Department History In Company Leave Block List Histórico na Empresa Lista de Bloqueio de Licença
2494 DocType: Stock Ledger Entry DocType: Sales Invoice Stock Ledger Entry Tax ID Lançamento do Livro de Inventário CPF/CNPJ
2495 DocType: Department apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192 Leave Block List Item {0} is not setup for Serial Nos. Column must be blank Lista de Bloqueio de Licença Item {0} não está configurado para Serial Coluna N º s deve estar em branco
2496 DocType: Sales Invoice DocType: Accounts Settings Tax ID Accounts Settings CPF/CNPJ Configurações de Contas
2497 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192 DocType: Customer Item {0} is not setup for Serial Nos. Column must be blank Sales Partner and Commission Item {0} não está configurado para Serial Coluna N º s deve estar em branco Parceiro de Vendas e Comissão
2498 DocType: Accounts Settings DocType: Employee Loan Accounts Settings Rate of Interest (%) / Year Configurações de Contas Taxa de Juros (%) / Ano
2505 DocType: Purchase Invoice apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +113 Return Asset {0} cannot be scrapped, as it is already {1} Devolução Activo {0} não pode ser descartado, uma vez que já é {1}
2506 DocType: Production Order Operation DocType: Task Production Order Operation Total Expense Claim (via Expense Claim) Ordem de produção Operation Reivindicação Despesa Total (via Despesa Claim)
2507 apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +113 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177 Asset {0} cannot be scrapped, as it is already {1} Mark Absent Activo {0} não pode ser descartado, uma vez que já é {1} Marcar Ausente
2508 DocType: Task apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139 Total Expense Claim (via Expense Claim) Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2} Reivindicação Despesa Total (via Despesa Claim) Linha {0}: Moeda da LDM # {1} deve ser igual à moeda selecionada {2}
2509 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177 DocType: Journal Entry Account Mark Absent Exchange Rate Marcar Ausente Taxa de Câmbio
2510 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +573 Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2} Sales Order {0} is not submitted Linha {0}: Moeda da LDM # {1} deve ser igual à moeda selecionada {2} Pedido de Venda {0} não foi enviado
2511 DocType: Journal Entry Account DocType: Homepage Exchange Rate Tag Line Taxa de Câmbio Slogan
2512 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +573 DocType: Fee Component Sales Order {0} is not submitted Fee Component Pedido de Venda {0} não foi enviado Componente da Taxa
2513 DocType: Homepage DocType: BOM Tag Line Last Purchase Rate Slogan Valor da Última Compra
2514 DocType: Fee Component DocType: Project Task Fee Component Task ID Componente da Taxa ID Tarefa
2515 DocType: BOM apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84 Last Purchase Rate Stock cannot exist for Item {0} since has variants Valor da Última Compra Stock não pode existir por item {0} já que tem variantes
2516 DocType: Project Task Task ID Sales Person-wise Transaction Summary ID Tarefa Resumo de Vendas por Vendedor
2517 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84 DocType: Training Event Stock cannot exist for Item {0} since has variants Contact Number Stock não pode existir por item {0} já que tem variantes Telefone para Contato
2518 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72 Sales Person-wise Transaction Summary Warehouse {0} does not exist Resumo de Vendas por Vendedor Armazém {0} não existe
2530 apps/erpnext/erpnext/accounts/doctype/account/account.py +117 apps/erpnext/erpnext/buying/utils.py +47 Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit' Please enter quantity for Item {0} O saldo já está em débito, você não tem permissão para definir 'saldo deve ser' como 'crédito' Por favor, indique a quantidade de item {0}
2531 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41 DocType: Employee External Work History Item {0} has been disabled Employee External Work History Item {0} foi desativado Histórico de Trabalho Externo do Colaborador
2532 apps/erpnext/erpnext/buying/utils.py +47 DocType: Tax Rule Please enter quantity for Item {0} Purchase Por favor, indique a quantidade de item {0} Compras
2533 DocType: Employee External Work History apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37 Employee External Work History Balance Qty Histórico de Trabalho Externo do Colaborador Qtde Balanço
2534 DocType: Tax Rule apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20 Purchase Goals cannot be empty Compras Objetivos não podem estar em branco
2535 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37 DocType: Item Group Balance Qty Parent Item Group Qtde Balanço Grupo de item pai
2536 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20 DocType: Purchase Receipt Goals cannot be empty Rate at which supplier's currency is converted to company's base currency Objetivos não podem estar em branco Taxa na qual a moeda do fornecedor é convertida para a moeda base da empresa
2583 DocType: Warehouse apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +30 Warehouse Name Please enter Approving Role or Approving User Nome do Armazén Por favor, indique Função Aprovadora ou Usuário Aprovador
2584 DocType: Naming Series DocType: Journal Entry Select Transaction Write Off Entry Selecione a Transação Lançamento de Abatimento
2585 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +30 DocType: BOM Please enter Approving Role or Approving User Rate Of Materials Based On Por favor, indique Função Aprovadora ou Usuário Aprovador Preço dos Materiais com Base em
DocType: Journal Entry Write Off Entry Lançamento de Abatimento
2586 DocType: BOM apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21 Rate Of Materials Based On Support Analtyics Preço dos Materiais com Base em Análise de Pós-Vendas
2587 apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49 Support Analtyics To Date should be within the Fiscal Year. Assuming To Date = {0} Análise de Pós-Vendas Para data deve ser dentro do exercício social. Assumindo Para Date = {0}
2588 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49 DocType: Employee To Date should be within the Fiscal Year. Assuming To Date = {0} Here you can maintain height, weight, allergies, medical concerns etc Para data deve ser dentro do exercício social. Assumindo Para Date = {0} Aqui você pode manter a altura, peso, alergias, restrições médicas, etc
DocType: Employee Here you can maintain height, weight, allergies, medical concerns etc Aqui você pode manter a altura, peso, alergias, restrições médicas, etc
2589 DocType: Leave Block List Applies to Company Aplica-se a Empresa
2590 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
2591 DocType: Employee Loan Disbursement Date Data do Desembolso
2592 apps/erpnext/erpnext/hr/doctype/employee/employee.py +217 Today is {0}'s birthday! {0} faz aniversário hoje!
2593 DocType: Production Planning Tool Material Request For Warehouse Requisição de Material para Armazém
2598 DocType: Email Digest Add/Remove Recipients Adicionar / Remover Destinatários
2599 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461 Transaction not allowed against stopped Production Order {0} A transação não é permitida relacionada à Ordem de produção {0} parada
2600 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 '
2601 apps/erpnext/erpnext/projects/doctype/project/project.py +200 Join Junte-se
2602 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20 Shortage Qty Escassez Qtde
2603 apps/erpnext/erpnext/stock/doctype/item/item.py +649 Item variant {0} exists with same attributes Variante item {0} existe com os mesmos atributos
2604 DocType: Leave Application LAP/ SDL/
2687 DocType: Budget Action if Accumulated Monthly Budget Exceeded Ação se o Acumulado Mensal Exceder o Orçamento
2688 DocType: Purchase Invoice Submit on creation Enviar ao criar
2689 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.
2690 DocType: Employee Leave Approver Employee Leave Approver Licença do Colaborador Aprovada
2691 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}
2692 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.
2693 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13 Training Feedback Feedback do Treinamento
2731 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +24 {0}: From {0} for {1} {0}: A partir de {0} para {1}
2732 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}
2733 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121 Row {0}: Hours value must be greater than zero. Linha {0}: Horas deve ser um valor maior que zero
2734 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
2735 DocType: Item List this Item in multiple groups on the website. Listar este item em vários grupos no site.
2736 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
2737 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89 Item: {0} does not exist in the system Item: {0} não existe no sistema
2741 apps/erpnext/erpnext/accounts/party.py +261 Billing currency must be equal to either default comapany's currency or party account currency A moeda de faturamento deve ser igual à moeda padrão da empresa ou à moeda padrão da conta da outra parte
2742 apps/erpnext/erpnext/public/js/setup_wizard.js +96 apps/erpnext/erpnext/public/js/setup_wizard.js +106 What does it do? O que isto faz ?
2743 apps/erpnext/erpnext/stock/doctype/batch/batch.js +70 To Warehouse Para o Armazén
2744 apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23 All Student Admissions Todas Admissões de Alunos
2745 Average Commission Rate Percentual de Comissão Médio
2746 apps/erpnext/erpnext/stock/doctype/item/item.py +406 'Has Serial No' can not be 'Yes' for non-stock item 'Tem Número Serial' não pode ser confirmado para itens sem controle de estoque
2747 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41 Attendance can not be marked for future dates Comparecimento não pode ser marcado para datas futuras
2756 DocType: Stock Entry Default Source Warehouse Armazén de Origem Padrão
2757 DocType: Item Customer Code Código do Cliente
2758 apps/erpnext/erpnext/hr/doctype/employee/employee.py +216 Birthday Reminder for {0} Lembrete de aniversário para {0}
2759 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72 Days Since Last Order Dias desde a última compra
2760 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +353 Debit To account must be a Balance Sheet account Débito em conta deve ser uma conta de Balanço
2761 DocType: Buying Settings Naming Series Código dos Documentos
2762 DocType: Leave Block List Leave Block List Name Deixe o nome Lista de Bloqueios
2795 DocType: Purchase Invoice Item Rejected Serial No Nº de Série Rejeitado
2796 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +82 Year start date or end date is overlapping with {0}. To avoid please set company Ano data de início ou data de término é a sobreposição com {0}. Para evitar defina empresa
2797 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +156 Start date should be less than end date for Item {0} Data de início deve ser inferior a data final para o item {0}
2798 DocType: Item Example: ABCD.##### If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank. Exemplo:. ABCD ##### Se série é ajustada e número de série não é mencionado em transações, número de série, em seguida automática será criado com base nesta série. Se você sempre quis mencionar explicitamente Serial Nos para este item. deixe em branco.
2799 DocType: Upload Attendance Upload Attendance Enviar o Ponto
2800 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319 BOM and Manufacturing Quantity are required A LDM e a Quantidade para Fabricação são necessários
2801 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44 Ageing Range 2 Faixa Envelhecimento 2
2858 DocType: Purchase Order In Words will be visible once you save the Purchase Order. Por extenso será visível quando você salvar o Pedido de Compra.
2859 DocType: Period Closing Voucher Period Closing Voucher Comprovante de Encerramento do Período
2860 apps/erpnext/erpnext/config/selling.py +67 Price List master. Cadastro da Lista de Preços.
2861 DocType: Task Review Date Data da Revisão
2862 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
2863 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
2864 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
2867 DocType: Customer Group Parent Customer Group Grupo de Clientes pai
2868 DocType: Purchase Invoice Contact Email Email do Contato
2869 DocType: Appraisal Goal Score Earned Pontuação Obtida
2870 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +202 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +224 Notice Period Período de Aviso Prévio
2871 DocType: Asset Category Asset Category Name Ativo Categoria Nome
2872 apps/erpnext/erpnext/setup/doctype/territory/territory.js +13 This is a root territory and cannot be edited. Este é um território de raiz e não pode ser editada.
2873 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5 New Sales Person Name Nome do Novo Vendedor
2874 DocType: Packing Slip Gross Weight UOM Unidade de Medida do Peso Bruto
2931 apps/erpnext/erpnext/accounts/report/financial_statements.py +97 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +217 End Year cannot be before Start Year Employee Benefits O ano final não pode ser antes do ano de início Benefícios a Colaboradores
2932 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255 Employee Benefits Packed quantity must equal quantity for Item {0} in row {1} Benefícios a Colaboradores Embalado quantidade deve ser igual a quantidade de item {0} na linha {1}
2933 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255 DocType: Production Order Packed quantity must equal quantity for Item {0} in row {1} Manufactured Qty Embalado quantidade deve ser igual a quantidade de item {0} na linha {1} Qtde Fabricada
2934 DocType: Production Order DocType: Purchase Receipt Item Manufactured Qty Accepted Quantity Qtde Fabricada Quantidade Aceita
2935 DocType: Purchase Receipt Item apps/erpnext/erpnext/hr/doctype/employee/employee.py +238 Accepted Quantity Please set a default Holiday List for Employee {0} or Company {1} Quantidade Aceita Por favor, defina uma Lista de Feriados padrão para o(a) Colaboador(a) {0} ou para a Empresa {1}
2936 apps/erpnext/erpnext/hr/doctype/employee/employee.py +238 apps/erpnext/erpnext/config/accounts.py +12 Please set a default Holiday List for Employee {0} or Company {1} Bills raised to Customers. Por favor, defina uma Lista de Feriados padrão para o(a) Colaboador(a) {0} ou para a Empresa {1} Faturas emitidas para Clientes.
2937 apps/erpnext/erpnext/config/accounts.py +12 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26 Bills raised to Customers. Project Id Faturas emitidas para Clientes. Id Projeto
2959 DocType: Serial No apps/erpnext/erpnext/config/stock.py +320 Purchase / Manufacture Details Batch Inventory Detalhes Compra / Fabricação Inventário por Lote
2960 apps/erpnext/erpnext/config/stock.py +320 DocType: Employee Batch Inventory Contract End Date Inventário por Lote Data Final do Contrato
2961 DocType: Employee DocType: Sales Order Contract End Date Track this Sales Order against any Project Data Final do Contrato Acompanhar este Pedido de Venda relacionado a qualquer projeto
2962 DocType: Sales Order DocType: Production Planning Tool Track this Sales Order against any Project Pull sales orders (pending to deliver) based on the above criteria Acompanhar este Pedido de Venda relacionado a qualquer projeto Puxar os Pedidos de Venda (pendentes de entrega) com base nos critérios acima
2963 DocType: Production Planning Tool DocType: Pricing Rule Pull sales orders (pending to deliver) based on the above criteria Min Qty Puxar os Pedidos de Venda (pendentes de entrega) com base nos critérios acima Qtde Mínima
2964 DocType: Pricing Rule DocType: Production Plan Item Min Qty Planned Qty Qtde Mínima Qtde Planejada
2965 DocType: Production Plan Item apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121 Planned Qty Total Tax Qtde Planejada Fiscal total
2988 DocType: Expense Claim apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138 Employees Email Id Current Liabilities Endereços de Email dos Colaboradores Passivo Circulante
2989 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138 apps/erpnext/erpnext/config/selling.py +292 Current Liabilities Send mass SMS to your contacts Passivo Circulante Enviar SMS em massa para seus contatos
2990 apps/erpnext/erpnext/config/selling.py +292 DocType: Purchase Taxes and Charges Send mass SMS to your contacts Consider Tax or Charge for Enviar SMS em massa para seus contatos Considere Imposto ou Encargo para
2991 DocType: Purchase Taxes and Charges apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57 Consider Tax or Charge for Actual Qty is mandatory Considere Imposto ou Encargo para Qtde Real é obrigatória
2992 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57 DocType: Employee Loan Actual Qty is mandatory Loan Type Qtde Real é obrigatória Tipo de Empréstimo
2993 DocType: Employee Loan apps/erpnext/erpnext/config/stock.py +179 Loan Type Default settings for stock transactions. Tipo de Empréstimo As configurações padrão para transações com ações .
2994 apps/erpnext/erpnext/config/stock.py +179 DocType: Purchase Invoice Default settings for stock transactions. Next Date As configurações padrão para transações com ações . Próxima data
3000 DocType: Purchase Invoice DocType: Item Group Taxes and Charges Deducted (Company Currency) General Settings Impostos e taxas deduzidos (moeda da empresa) Configurações Gerais
3001 DocType: Item Group apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +23 General Settings From Currency and To Currency cannot be same Configurações Gerais De Moeda e Para Moeda não pode ser o mesmo
3002 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +23 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6 From Currency and To Currency cannot be same You must Save the form before proceeding De Moeda e Para Moeda não pode ser o mesmo Você deve salvar o formulário antes de continuar
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6 You must Save the form before proceeding Você deve salvar o formulário antes de continuar
3003 apps/erpnext/erpnext/public/js/setup_wizard.js +47 apps/erpnext/erpnext/public/js/setup_wizard.js +51 Attach Logo Anexar Logo
3004 apps/erpnext/erpnext/stock/doctype/batch/batch.js +38 Stock Levels Níveis de Estoque
3005 DocType: Customer Commission Rate Percentual de Comissão
3049
3050
3051
3052
3053
3054
3055
3121
3122
3123
3124
3125
3126
3127
3146
3147
3148
3149
3150
3151
3152

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

View File

@ -11,22 +11,27 @@ DocType: Purchase Invoice,Currency and Price List,Valuta i cjenovnik
DocType: POS Profile,Write Off Account,Otpisati nalog
DocType: Stock Entry,Delivery Note No,Broj otpremnice
DocType: Item,Serial Nos and Batches,Serijski brojevi i paketi
DocType: Activity Cost,Projects User,Projektni korisnik
DocType: Lead,Address Desc,Opis adrese
DocType: Mode of Payment,Mode of Payment,Način plaćanja
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Moja korpa
DocType: Payment Entry,Payment From / To,Plaćanje od / za
DocType: Purchase Invoice,Grand Total (Company Currency),Za plaćanje (Valuta)
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,Nedovoljna količina
DocType: Sales Invoice,Shipping Rule,Pravila nabavke
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Bruto dobit / gubitak
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Pritisnite na artikal da bi ga dodali ovdje
,Sales Order Trends,Trendovi prodajnih naloga
DocType: Sales Invoice,Offline POS Name,POS naziv u režimu van mreže (offline)
DocType: Request for Quotation Item,Project Name,Naziv Projekta
DocType: Supplier,Last Day of the Next Month,Posljednji dan u narednom mjesecu
DocType: Bank Guarantee,Project,Projekti
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Napravi predračun
apps/erpnext/erpnext/utilities/activation.py +74,Make Quotation,Napravi predračun
DocType: Bank Guarantee,Customer,Kupci
DocType: Purchase Order Item,Supplier Quotation Item,Stavka na dobavljačevoj ponudi
DocType: Item Group,General Settings,Opšta podešavanja
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Staros bazirana na
apps/erpnext/erpnext/public/js/setup_wizard.js +311,Gram,Gram
apps/erpnext/erpnext/utilities/user_progress.py +101,Gram,Gram
DocType: Asset,Purchase Invoice,Faktura nabavke
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +189,Closing (Opening + Totals),Saldo (Početno stanje + Ukupno)
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,Grupiši po knjiženjima
@ -81,10 +86,12 @@ DocType: C-Form,Total Invoiced Amount,Ukupno fakturisano
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)
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/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,Lista
DocType: Item,Serial Number Series,Seriski broj serija
@ -99,9 +106,10 @@ 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
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Kupac i dobavljač
DocType: Project,% Completed,Završeno %
DocType: Journal Entry Account,Sales Invoice,Fakture prodaje
DocType: Journal Entry Account,Sales Invoice,Faktura prodaje
DocType: Journal Entry,Accounting Entries,Računovodstveni unosi
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Red # {0}: Knjiženje {1} nema kreiran nalog {2} ili je već povezan sa drugim izvodom.
DocType: Sales Order,Track this Sales Order against any Project,Prati ovaj prodajni nalog na bilo kom projektu
@ -113,14 +121,16 @@ 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
DocType: Notification Control,Sales Order Message,Poruka prodajnog naloga
DocType: Email Digest,Pending Sales Orders,Prodajni nalozi na čekanju
apps/erpnext/erpnext/public/js/setup_wizard.js +311,Minute,Minut
apps/erpnext/erpnext/public/js/setup_wizard.js +311,Litre,Litar
apps/erpnext/erpnext/utilities/user_progress.py +101,Minute,Minut
apps/erpnext/erpnext/utilities/user_progress.py +101,Litre,Litar
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Početno stanje (Po)
DocType: Interest,Academics User,Akademski korisnik
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Izjava o računu
DocType: Delivery Note,Billing Address,Adresa za naplatu
apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +389,All Territories,Sve države
DocType: Payment Entry,Received Amount (Company Currency),Iznos uplate (Valuta preduzeća)
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
@ -135,6 +145,7 @@ 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
DocType: Account,Credit,Potražuje
DocType: C-Form Invoice Detail,Grand Total,Ukupan iznos
apps/erpnext/erpnext/config/learn.py +234,Human Resource,Ljudski resursi
DocType: Selling Settings,Delivery Note Required,Otpremnica je obavezna
DocType: Payment Entry,Type of Payment,Vrsta plaćanja
DocType: Purchase Invoice Item,UOM,JM
@ -143,9 +154,11 @@ DocType: Sales Order,Not Delivered,Nije isporučeno
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Prodajne kampanje
DocType: Item,Auto re-order,Automatska porudžbina
,Profit and Loss Statement,Bilans uspjeha
apps/erpnext/erpnext/public/js/setup_wizard.js +311,Meter,Metar
apps/erpnext/erpnext/public/js/setup_wizard.js +310,Pair,Par
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: 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/config/learn.py +263,Managing Projects,Upravljanje projektima
@ -155,6 +168,7 @@ DocType: Customs Tariff Number,Customs Tariff Number,Carinska tarifa
DocType: Item,Default Supplier,Podrazumijevani dobavljač
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Opening,Početno stanje
DocType: POS Profile,Customer Groups,Grupe kupaca
DocType: Brand,Item Manager,Menadžer artikala
DocType: Fiscal Year Company,Fiscal Year Company,Fiskalna godina preduzeća
DocType: Supplier,Credit Days Based On,Dani dugovanja bazirani na
DocType: BOM,Show In Website,Prikaži na web sajtu
@ -163,7 +177,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +233,Purchase Receipt {0} is not submitted,Prijem robe {0} nije potvrđen
apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Proizvodi i cijene
DocType: Payment Entry,Account Paid From,Račun plaćen preko
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Kreirajte bilješke kupca
apps/erpnext/erpnext/utilities/activation.py +72,Create customer quotes,Kreirajte bilješke kupca
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č
@ -177,15 +191,19 @@ DocType: Pricing Rule,Discount on Price List Rate (%),Popust na cijene iz cjenov
DocType: Item,Item Attribute,Atribut artikla
DocType: Payment Request,Amount in customer's currency,Iznos u valuti kupca
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 +487,Rest Of The World,Ostatak svijeta
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +366,Rest Of The World,Ostatak svijeta
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
,POS,POS
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Plaćeni iznos
DocType: Shipping Rule,Net Weight,Neto težina
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 +80,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/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
DocType: BOM,Manufacturing,Proizvodnja
apps/erpnext/erpnext/controllers/website_list_for_contact.py +115,{0}% Delivered,{0}% Isporučeno
@ -228,7 +246,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +92,{0} {1}: Account
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 +21,Setup Already Complete!!,Podešavanje je već urađeno !
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +22,Setup Already Complete!!,Podešavanje je već urađeno !
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
@ -238,6 +256,7 @@ 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/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: Opportunity,Maintenance,Održavanje
DocType: Item Price,Multiple Item prices.,Više cijena artikala
@ -280,6 +299,7 @@ DocType: Student Attendance Tool,Batch,Serija
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +811,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
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
DocType: Pricing Rule,Pricing Rule,Pravilnik za cijene
@ -297,19 +317,24 @@ DocType: Sales Invoice,Tax ID,Poreski broj
,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
apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Prodajna linija
DocType: Payment Entry,Pay,Plati
DocType: Item,Sales Details,Detalji prodaje
apps/erpnext/erpnext/public/js/setup_wizard.js +296,Your Products or Services,Vaši artikli ili usluge
apps/erpnext/erpnext/config/learn.py +11,Navigating,Navigacija
apps/erpnext/erpnext/utilities/user_progress.py +92,Your Products or Services,Vaši artikli ili usluge
DocType: Lead,CRM,CRM
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,Ponuda {0} je otkazana
DocType: Asset,Item Code,Šifra artikla
DocType: Purchase Order,Customer Mobile No,Broj telefona kupca
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,Premještanje artikala
DocType: Buying Settings,Buying Settings,Podešavanja nabavke
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
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
DocType: Purchase Invoice,Posting Time,Vrijeme izrade računa
DocType: Stock Entry,Purchase Receipt No,Broj prijema robe
@ -319,16 +344,17 @@ DocType: Item,Item Tax,Porez
DocType: Pricing Rule,Selling,Prodaja
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/public/js/setup_wizard.js +198,Add Users,Dodaj korisnike
apps/erpnext/erpnext/utilities/user_progress.py +201,Add Users,Dodaj korisnike
,Completed Production Orders,Završena proizvodna porudžbina
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}
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
DocType: Item Group,Item Group Name,Naziv vrste artikala
apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Isto ime grupe kupca već postoji. Promijenite ime kupca ili izmijenite grupu kupca
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)
@ -338,7 +364,7 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analys
DocType: Purchase Invoice,Address and Contact,Adresa i kontakt
,Supplier-Wise Sales Analytics,Analiza Dobavljačeve pametne prodaje
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +284,Payment Entry is already created,Uplata je već kreirana
DocType: Purchase Invoice Item,Item,Artikli
DocType: Purchase Invoice Item,Item,Artikal
DocType: Purchase Invoice,Unpaid,Neplaćen
DocType: Project User,Project User,Projektni user
DocType: Item,Customer Items,Proizvodi kupca
@ -363,6 +389,7 @@ DocType: Purchase Invoice,Edit Posting Date and Time,Izmijeni datum i vrijeme do
,Inactive Customers,Neaktivni kupci
DocType: Stock Entry Detail,Stock Entry Detail,Detalji unosa zaliha
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
@ -370,6 +397,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js +659,Point of Sale,Kasa
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
DocType: Packing Slip,Net Weight UOM,Neto težina JM
@ -403,8 +431,9 @@ DocType: Asset,Journal Entry for Scrap,Knjiženje rastura i loma
DocType: Sales Invoice Item,Customer's Item Code,Šifra kupca
DocType: Asset,Supplier,Dobavljači
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/public/js/setup_wizard.js +311,Hour,Sat
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
,Delivery Note Trends,Trendovi Otpremnica
DocType: Stock Reconciliation,Difference Amount,Razlika u iznosu
@ -423,17 +452,18 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Se
apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +576,Delivery Note {0} is not submitted,Otpremnica {0} nije potvrđena
apps/erpnext/erpnext/public/js/pos/pos.html +89,Customers in Queue,Kupci na čekanju
DocType: Purchase Invoice,Price List Currency,Valuta Cjenovnika
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Projektni menadzer
apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Project Manager,Projektni menadzer
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
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/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Sve grupe kupca
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/config/selling.py +179,Analytics,Analitika
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},Novi {0}: # {1}
DocType: Supplier,Fixed Days,Fiksni dani
@ -443,14 +473,17 @@ 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
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,Kreirao je korisnik {0}
DocType: Purchase Order,Advance Paid,Avansno plačanje
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/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/setup/setup_wizard/install_fixtures.py +84,Customer Service,Usluga kupca
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
@ -461,7 +494,6 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac
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
DocType: Employee Loan,Total Payment,Ukupno plaćeno
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Buying Amount,Iznos nabavke
apps/erpnext/erpnext/public/js/setup_wizard.js +247,e.g. 5,npr. 5
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
@ -485,22 +517,24 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st
DocType: Payment Request,Make Sales Invoice,Kreiraj fakturu prodaje
apps/erpnext/erpnext/public/js/pos/pos.html +80,Del,Obriši
DocType: Payment Reconciliation,Invoice/Journal Entry Details,Faktura / Detalji knjiženja
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Kreiraj korisnike
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
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}
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 +119,Request for Quotations,Zahtjev za ponude
apps/erpnext/erpnext/hooks.py +123,Request for Quotations,Zahtjev za ponude
apps/erpnext/erpnext/config/desktop.py +158,Learn,Naučite
DocType: Payment Entry,Cheque/Reference No,Broj izvoda
DocType: C-Form,Series,Vrsta dokumenta
apps/erpnext/erpnext/public/js/setup_wizard.js +310,Box,Kutija
apps/erpnext/erpnext/utilities/user_progress.py +100,Box,Kutija
DocType: Payment Entry,Total Allocated Amount,Ukupno povezani iznos
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Korisnici i dozvole
apps/erpnext/erpnext/public/js/setup_wizard.js +256,Add Customers,Dodaj kupce
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
DocType: Lead,From Customer,Od kupca
DocType: Item,Maintain Stock,Vođenje zalihe
@ -515,6 +549,7 @@ DocType: Sales Order,Partly Delivered,Djelimično isporučeno
DocType: Purchase Invoice Item,Quality Inspection,Provjera kvaliteta
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Računovodstveni iskazi
apps/erpnext/erpnext/stock/get_item_details.py +297,Item Price added for {0} in Price List {1},Cijena je dodata na artiklu {0} iz cjenovnika {1}
DocType: Project Type,Projects Manager,Projektni menadžer
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},Ponuda {0} ne propada {1}
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Svi proizvodi ili usluge.
DocType: Sales Invoice,Rounded Total,Zaokruženi ukupan iznos
@ -523,8 +558,9 @@ apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +76
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/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 +161,Credit limit has been crossed for customer {0} {1}/{2},Kupac {0} je prekoračio kreditni limit {1} / {2}
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}
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Saldo (Du)
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})
@ -532,6 +568,7 @@ DocType: Sales Partner,Address & Contacts,Adresa i kontakti
apps/erpnext/erpnext/controllers/accounts_controller.py +293, 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 Order,To Bill,Za fakturisanje
DocType: Company,Chart Of Accounts Template,Templejt za kontni plan
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Vezni dokument
@ -539,8 +576,9 @@ 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
DocType: Request for Quotation Item,Request for Quotation Item,Zahtjev za stavku sa ponude
DocType: Homepage,Products,Proizvodi
apps/erpnext/erpnext/public/js/setup_wizard.js +100,"e.g. ""Build tools for builders""","npr. ""Izrada alata za profesionalce"""
apps/erpnext/erpnext/public/js/setup_wizard.js +110,"e.g. ""Build tools for builders""","npr. ""Izrada alata za profesionalce"""
apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Ukupno neplaćeno: {0}
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
@ -550,6 +588,7 @@ 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: Appraisal,HR User,Korisnik za ljudske resure
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Izvještaji zaliha robe
,Stock Ledger,Zalihe robe
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Faktura {0} mora biti otkazana prije otkazivanja ovog prodajnog naloga

1 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +115 'Opening' 'Početno stanje'
11 DocType: POS Profile Write Off Account Otpisati nalog
12 DocType: Stock Entry Delivery Note No Broj otpremnice
13 DocType: Item Serial Nos and Batches Serijski brojevi i paketi
14 DocType: Activity Cost Projects User Projektni korisnik
15 DocType: Lead Address Desc Opis adrese
16 DocType: Mode of Payment Mode of Payment Način plaćanja
17 apps/erpnext/erpnext/templates/pages/cart.html +5 My Cart Moja korpa
18 DocType: Payment Entry Payment From / To Plaćanje od / za
19 DocType: Purchase Invoice Grand Total (Company Currency) Za plaćanje (Valuta)
20 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236 Insufficient Stock Nedovoljna količina
21 DocType: Sales Invoice Shipping Rule Pravila nabavke
22 apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152 Gross Profit / Loss Bruto dobit / gubitak
23 apps/erpnext/erpnext/public/js/pos/pos.html +20 Tap items to add them here Pritisnite na artikal da bi ga dodali ovdje
24 Sales Order Trends Trendovi prodajnih naloga
25 DocType: Sales Invoice Offline POS Name POS naziv u režimu van mreže (offline)
26 DocType: Request for Quotation Item Project Name Naziv Projekta
27 DocType: Supplier Last Day of the Next Month Posljednji dan u narednom mjesecu
28 DocType: Bank Guarantee Project Projekti
29 apps/erpnext/erpnext/utilities/activation.py +72 apps/erpnext/erpnext/utilities/activation.py +74 Make Quotation Napravi predračun
30 DocType: Bank Guarantee Customer Kupci
31 DocType: Purchase Order Item Supplier Quotation Item Stavka na dobavljačevoj ponudi
32 DocType: Item Group General Settings Opšta podešavanja
33 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27 Ageing Based On Staros bazirana na
34 apps/erpnext/erpnext/public/js/setup_wizard.js +311 apps/erpnext/erpnext/utilities/user_progress.py +101 Gram Gram
35 DocType: Asset Purchase Invoice Faktura nabavke
36 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +189 Closing (Opening + Totals) Saldo (Početno stanje + Ukupno)
37 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100 Group by Voucher Grupiši po knjiženjima
86 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
87 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29 -Above - Iznad
88 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213 {0} {1} is cancelled or stopped {0} {1} je otkazan ili stopiran
89 apps/erpnext/erpnext/accounts/page/pos/pos.js +713 Offline Van mreže (offline)
90 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380 Note: {0} Bilješka: {0}
91 DocType: Lead Lost Quotation Izgubljen Predračun
92 DocType: Account Account Račun
93 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
94 DocType: Employee Leave Approver Leave Approver Odobrava izlaske s posla
95 DocType: Authorization Rule Customer or Item Kupac ili proizvod
96 apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1 List Lista
97 DocType: Item Serial Number Series Seriski broj serija
106 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.
107 apps/erpnext/erpnext/config/selling.py +311 apps/erpnext/erpnext/accounts/page/pos/pos.js +719 Customer and Supplier Online Kupac i dobavljač Na mreži
108 DocType: Project apps/erpnext/erpnext/config/selling.py +311 % Completed Customer and Supplier Završeno % Kupac i dobavljač
109 DocType: Project % Completed Završeno %
110 DocType: Journal Entry Account Sales Invoice Fakture prodaje Faktura prodaje
111 DocType: Journal Entry Accounting Entries Računovodstveni unosi
112 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237 Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher Red # {0}: Knjiženje {1} nema kreiran nalog {2} ili je već povezan sa drugim izvodom.
113 DocType: Sales Order Track this Sales Order against any Project Prati ovaj prodajni nalog na bilo kom projektu
114 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +491 [Error] [Greška]
115 DocType: Supplier Supplier Details Detalji o dobavljaču
121 DocType: Email Digest Pending Sales Orders Prodajni nalozi na čekanju
122 apps/erpnext/erpnext/public/js/setup_wizard.js +311 apps/erpnext/erpnext/utilities/user_progress.py +101 Minute Minut
123 apps/erpnext/erpnext/public/js/setup_wizard.js +311 apps/erpnext/erpnext/utilities/user_progress.py +101 Litre Litar
124 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218 Opening (Cr) Početno stanje (Po)
125 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1 DocType: Interest Statement of Account Academics User Izjava o računu Akademski korisnik
126 DocType: Delivery Note apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1 Billing Address Statement of Account Adresa za naplatu Izjava o računu
127 DocType: Delivery Note Billing Address Adresa za naplatu
128 apps/erpnext/erpnext/accounts/doctype/sales_invoice/pos.py +389 All Territories Sve države
129 DocType: Payment Entry Received Amount (Company Currency) Iznos uplate (Valuta preduzeća)
130 DocType: Item Standard Selling Rate Standarna prodajna cijena
131 apps/erpnext/erpnext/public/js/conf.js +28 apps/erpnext/erpnext/config/setup.py +122 User Forum Human Resources Korisnički portal Ljudski resursi
132 DocType: Purchase Order Item Supplied apps/erpnext/erpnext/public/js/conf.js +28 Stock UOM User Forum JM zalihe Korisnički portal
133 DocType: Purchase Order Item Supplied Stock UOM JM zalihe
134 apps/erpnext/erpnext/accounts/page/pos/pos.js +1363 Select or add new customer Izaberite ili dodajte novog kupca
135 Trial Balance for Party Struktura dugovanja
136 DocType: Program Enrollment Tool New Program Novi program
145 DocType: C-Form Invoice Detail Grand Total Ukupan iznos
146 DocType: Selling Settings apps/erpnext/erpnext/config/learn.py +234 Delivery Note Required Human Resource Otpremnica je obavezna Ljudski resursi
147 DocType: Payment Entry DocType: Selling Settings Type of Payment Delivery Note Required Vrsta plaćanja Otpremnica je obavezna
148 DocType: Payment Entry Type of Payment Vrsta plaćanja
149 DocType: Purchase Invoice Item UOM JM
150 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57 Difference Amount must be zero Razlika u iznosu mora biti nula
151 DocType: Sales Order Not Delivered Nije isporučeno
154 Profit and Loss Statement Bilans uspjeha
155 apps/erpnext/erpnext/public/js/setup_wizard.js +311 apps/erpnext/erpnext/utilities/user_progress.py +101 Meter Metar
156 apps/erpnext/erpnext/public/js/setup_wizard.js +310 apps/erpnext/erpnext/utilities/user_progress.py +100 Pair Par
157 Profitability Analysis Analiza profitabilnosti
158 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266 DocType: Attendance Sales Invoice {0} has already been submitted HR Manager Faktura prodaje {0} je već potvrđena Menadžer za ljudske resurse
159 DocType: Purchase Invoice DocType: Quality Inspection Is Return Quality Manager Da li je povratak Menadžer za kvalitet
160 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
161 DocType: Purchase Invoice Is Return Da li je povratak
162 apps/erpnext/erpnext/config/learn.py +263 Managing Projects Upravljanje projektima
163 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21 Pricing Kalkulacija
164 DocType: Supplier Name and Type Ime i tip
168 DocType: POS Profile Customer Groups Grupe kupaca
169 DocType: Fiscal Year Company DocType: Brand Fiscal Year Company Item Manager Fiskalna godina preduzeća Menadžer artikala
170 DocType: Supplier DocType: Fiscal Year Company Credit Days Based On Fiscal Year Company Dani dugovanja bazirani na Fiskalna godina preduzeća
171 DocType: Supplier Credit Days Based On Dani dugovanja bazirani na
172 DocType: BOM Show In Website Prikaži na web sajtu
173 DocType: Payment Entry Paid Amount Uplaćeno
174 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23 Total Paid Amount Ukupno plaćeno
177 DocType: Payment Entry Account Paid From Račun plaćen preko
178 apps/erpnext/erpnext/utilities/activation.py +70 apps/erpnext/erpnext/utilities/activation.py +72 Create customer quotes Kreirajte bilješke kupca
179 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20 Customer is required Kupac je obavezan podatak
180 DocType: Item Customer Item Codes Šifra kod kupca
181 DocType: Item Manufacturer Proizvođač
182 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +73 Selling Amount Prodajni iznos
183 DocType: Item Allow over delivery or receipt upto this percent Dozvolite isporukuili prijem robe ukoliko ne premaši ovaj procenat
191 DocType: Email Digest New Sales Orders Novi prodajni nalozi
192 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21 Stock Entry {0} is not submitted Cart is Empty Unos zaliha {0} nije potvrđen Korpa je prazna
193 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539 Rest Of The World Stock Entry {0} is not submitted Ostatak svijeta Unos zaliha {0} nije potvrđen
194 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +366 Rest Of The World Ostatak svijeta
195 DocType: Purchase Invoice Item DocType: Request for Quotation Is Fixed Asset Manufacturing Manager Artikal je osnovno sredstvo Menadžer proizvodnje
196 DocType: Shopping Cart Settings POS Enable Shopping Cart POS Omogući korpu
197 DocType: Purchase Invoice Item Is Fixed Asset Artikal je osnovno sredstvo
198 POS POS
199 DocType: Shipping Rule apps/erpnext/erpnext/schools/doctype/fees/fees.js +27 Net Weight Amount Paid Neto težina Plaćeni iznos
200 DocType: Payment Entry Reference DocType: Shipping Rule Outstanding Net Weight Preostalo Neto težina
201 DocType: Payment Entry Reference Outstanding Preostalo
202 DocType: Purchase Invoice Select Shipping Address Odaberite adresu isporuke
203 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
204 apps/erpnext/erpnext/utilities/activation.py +80 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
205 apps/erpnext/erpnext/accounts/page/pos/pos.js +758 Sync Offline Invoices Sinhronizuj offline fakture
206 DocType: BOM Manufacturing Proizvodnja
207 apps/erpnext/erpnext/controllers/website_list_for_contact.py +115 {0}% Delivered {0}% Isporučeno
208 DocType: Delivery Note Customer's Purchase Order No Broj porudžbenice kupca
209 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
246 DocType: Notification Control Purchase Receipt Message Poruka u Prijemu robe
247 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +22 Setup Already Complete!! Podešavanje je već urađeno !
248 DocType: Item Default Unit of Measure Podrazumijevana jedinica mjere
249 DocType: Purchase Invoice Item Serial No Serijski broj
250 DocType: Pricing Rule Supplier Type Tip dobavljača
251 DocType: Bank Reconciliation Detail Posting Date Datum dokumenta
252 DocType: Payment Entry Total Allocated Amount (Company Currency) Ukupan povezani iznos (Valuta)
256 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +16 New Company Novo preduzeće
257 DocType: Project DocType: Issue Project Type Support Team Tip Projekta Tim za podršku
258 DocType: Opportunity DocType: Project Maintenance Project Type Održavanje Tip Projekta
259 DocType: Opportunity Maintenance Održavanje
260 DocType: Item Price Multiple Item prices. Više cijena artikala
261 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +360 Received From je primljen od
262 DocType: Payment Entry Write Off Difference Amount Otpis razlike u iznosu
299 apps/erpnext/erpnext/config/selling.py +28 Customer database. Korisnička baza podataka
300 DocType: GL Entry apps/erpnext/erpnext/stock/stock_ledger.py +368 Remarks {0} units of {1} needed in {2} to complete this transaction. Napomena Željenu količinu {0} za artikal {1} je potrebno dodati na {2} da bi dovršili transakciju..
301 DocType: Tax Rule DocType: GL Entry Sales Remarks Prodaja Napomena
302 DocType: Tax Rule Sales Prodaja
303 DocType: Pricing Rule Pricing Rule Pravilnik za cijene
304 DocType: Products Settings Products Settings Podešavanje proizvoda
305 Sales Invoice Trends Trendovi faktura prodaje
317 DocType: Item Default Material Request Type Podrazumijevani zahtjev za tip materijala
318 DocType: Payment Entry apps/erpnext/erpnext/config/crm.py +6 Pay Sales Pipeline Plati Prodajna linija
319 DocType: Item DocType: Payment Entry Sales Details Pay Detalji prodaje Plati
320 DocType: Item Sales Details Detalji prodaje
321 apps/erpnext/erpnext/public/js/setup_wizard.js +296 apps/erpnext/erpnext/config/learn.py +11 Your Products or Services Navigating Vaši artikli ili usluge Navigacija
322 DocType: Lead apps/erpnext/erpnext/utilities/user_progress.py +92 CRM Your Products or Services CRM Vaši artikli ili usluge
323 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158 DocType: Lead Quotation {0} is cancelled CRM Ponuda {0} je otkazana CRM
324 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158 Quotation {0} is cancelled Ponuda {0} je otkazana
325 DocType: Asset Item Code Šifra artikla
326 DocType: Purchase Order Customer Mobile No Broj telefona kupca
327 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105 Move Item Premještanje artikala
328 DocType: Buying Settings Buying Settings Podešavanja nabavke
329 apps/erpnext/erpnext/stock/doctype/batch/batch.js +38 DocType: Vehicle Stock Levels Fleet Manager Nivoi zalihe Menadžer transporta
330 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246 apps/erpnext/erpnext/stock/doctype/batch/batch.js +38 Closing (Cr) Stock Levels Saldo (Po) Nivoi zalihe
331 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246 Closing (Cr) Saldo (Po)
332 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +566 Product Bundle Sastavnica
333 DocType: Landed Cost Voucher apps/erpnext/erpnext/accounts/page/pos/pos.js +750 Purchase Receipts Sync Master Data Prijemi robe Sinhronizuj podatke iz centrale
334 DocType: Purchase Invoice DocType: Landed Cost Voucher Overdue Purchase Receipts Istekao Prijemi robe
335 apps/erpnext/erpnext/config/learn.py +21 Customizing Forms Prilagođavanje formi
336 DocType: Purchase Invoice Posting Time Overdue Vrijeme izrade računa Istekao
337 DocType: Purchase Invoice Posting Time Vrijeme izrade računa
338 DocType: Stock Entry Purchase Receipt No Broj prijema robe
339 apps/erpnext/erpnext/accounts/page/pos/pos.js +74 to do
340 DocType: Supplier Credit Limit Kreditni limit
344 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39 Item {0} does not exist Artikal {0} ne postoji
345 apps/erpnext/erpnext/public/js/setup_wizard.js +198 apps/erpnext/erpnext/utilities/user_progress.py +201 Add Users Dodaj korisnike
346 Completed Production Orders Završena proizvodna porudžbina
347 DocType: Bank Reconciliation Detail Payment Entry Uplate
348 DocType: Purchase Invoice In Words Riječima
349 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}
350 apps/erpnext/erpnext/config/stock.py +179 DocType: Issue Default settings for stock transactions. Support Podrazumijevana podešavanja za dio Promjene na zalihama Podrška
351 DocType: Production Planning Tool apps/erpnext/erpnext/config/stock.py +179 Get Sales Orders Default settings for stock transactions. Pregledaj prodajne naloge Podrazumijevana podešavanja za dio Promjene na zalihama
352 DocType: Production Planning Tool Get Sales Orders Pregledaj prodajne naloge
353 DocType: Stock Ledger Entry Stock Ledger Entry Unos zalihe robe
354 DocType: Item Group Item Group Name Naziv vrste artikala
355 apps/erpnext/erpnext/selling/doctype/customer/customer.py +115 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
356 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}
357 DocType: Item Has Serial No Ima serijski broj
358 DocType: Payment Entry Difference Amount (Company Currency) Razlika u iznosu (Valuta)
359 apps/erpnext/erpnext/config/accounts.py +51 Company and Accounts Preduzeće i računi
360 DocType: Payment Entry Unallocated Amount Nepovezani iznos
364 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +284 Payment Entry is already created Uplata je već kreirana
365 DocType: Purchase Invoice Item Item Artikli Artikal
366 DocType: Purchase Invoice Unpaid Neplaćen
367 DocType: Project User Project User Projektni user
368 DocType: Item Customer Items Proizvodi kupca
369 DocType: Stock Reconciliation SR/ SR /
370 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97 Sales Order required for Item {0} Prodajni nalog je obavezan za artikal {0}
389 DocType: Sales Invoice Accounting Details Računovodstveni detalji
390 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21 DocType: Asset Movement As on Date Stock Manager Na datum Menadžer zaliha
391 DocType: Naming Series apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21 Setup Series As on Date Podešavanje tipa dokumenta Na datum
392 DocType: Naming Series Setup Series Podešavanje tipa dokumenta
393 apps/erpnext/erpnext/accounts/page/pos/pos.js +659 Point of Sale Kasa
394 Open Production Orders Otvorene proizvodne porudžbine
395 DocType: Landed Cost Item Purchase Receipt Item Stavka Prijema robe
397 apps/erpnext/erpnext/stock/doctype/batch/batch.js +85 Stock Entry {0} created Unos zaliha {0} je kreiran
398 apps/erpnext/erpnext/stock/get_item_details.py +293 apps/erpnext/erpnext/templates/generators/item.html +67 Item Price updated for {0} in Price List {1} View in Cart Cijena artikla je izmijenjena {0} u cjenovniku {1} Pogledajte u korpi
399 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11 apps/erpnext/erpnext/stock/get_item_details.py +293 Discount Item Price updated for {0} in Price List {1} Popust Cijena artikla je izmijenjena {0} u cjenovniku {1}
400 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11 Discount Popust
401 DocType: Packing Slip Net Weight UOM Neto težina JM
402 DocType: Selling Settings Sales Order Required Prodajni nalog je obavezan
403 apps/erpnext/erpnext/accounts/page/pos/pos.js +1074 Search Item Pretraži artikal
431 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30 Project Start Date Datum početka projekta
432 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +455 DocType: Announcement Stock cannot be updated against Delivery Note {0} Student Zaliha se ne može promijeniti jer je vezana sa otpremnicom {0} Student
433 apps/erpnext/erpnext/public/js/setup_wizard.js +311 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +455 Hour Stock cannot be updated against Delivery Note {0} Sat Zaliha se ne može promijeniti jer je vezana sa otpremnicom {0}
434 apps/erpnext/erpnext/utilities/user_progress.py +101 Hour Sat
435 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21 Item Group Tree Stablo vrste artikala
436 Delivery Note Trends Trendovi Otpremnica
437 DocType: Stock Reconciliation Difference Amount Razlika u iznosu
438 DocType: Journal Entry User Remark Korisnička napomena
439 DocType: Notification Control Quotation Message Ponuda - poruka
452 DocType: Purchase Invoice Price List Currency Valuta Cjenovnika
453 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124 Project Manager Projektni menadzer
454 DocType: Journal Entry Accounts Receivable Potraživanja od kupaca
455 DocType: Purchase Invoice Item Rate Cijena
456 DocType: Account Expense Rashod
457 apps/erpnext/erpnext/config/learn.py +107 Newsletters Newsletter-i
458 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
459 DocType: Delivery Note Billing Address Name Naziv adrese za naplatu
460 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +134 All Customer Groups Sve grupe kupca
461 DocType: Purchase Invoice Item Stock Qty Zaliha
462 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +37 Ageing Range 1 Opseg dospijeća 1
463 apps/erpnext/erpnext/public/js/pos/pos.html +106 Stock Items Artikli na zalihama
464 apps/erpnext/erpnext/config/selling.py +179 apps/erpnext/erpnext/accounts/page/pos/pos.js +2121 Analytics New Cart Analitika Nova korpa
465 apps/erpnext/erpnext/controllers/recurring_document.py +135 apps/erpnext/erpnext/config/selling.py +179 New {0}: #{1} Analytics Novi {0}: # {1} Analitika
466 apps/erpnext/erpnext/controllers/recurring_document.py +135 New {0}: #{1} Novi {0}: # {1}
467 DocType: Supplier Fixed Days Fiksni dani
468 DocType: Purchase Receipt Item Rate and Amount Cijena i vrijednost
469 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +65 'Total' 'Ukupno bez PDV-a'
473 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233 {0} created Kreirao je korisnik {0}
474 DocType: Opportunity DocType: Purchase Order Customer / Lead Address Advance Paid Kupac / Adresa lead-a Avansno plačanje
475 DocType: Buying Settings DocType: Opportunity Default Buying Price List Customer / Lead Address Podrazumijevani Cjenovnik Kupac / Adresa lead-a
476 DocType: Buying Settings Default Buying Price List Podrazumijevani Cjenovnik
477 DocType: Purchase Invoice Item Qty Kol
478 DocType: Journal Entry DocType: Mode of Payment Write Off Amount General Otpisati iznos Opšte
479 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25 DocType: Journal Entry Total Outstanding Amount Write Off Amount Preostalo za plaćanje Otpisati iznos
480 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25 Total Outstanding Amount Preostalo za plaćanje
481 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320 Not Paid and Not Delivered Nije plaćeno i nije isporučeno
482 DocType: Bank Reconciliation Total Amount Ukupan iznos
483 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106 Customer Service Usluga kupca
484 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18 DocType: Cost Center General Ledger Stock User Glavna knjiga Korisnik zaliha
485 apps/erpnext/erpnext/config/projects.py +13 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18 Project master. General Ledger Projektni master Glavna knjiga
486 apps/erpnext/erpnext/config/projects.py +13 Project master. Projektni master
487 Purchase Order Trends Trendovi kupovina
488 DocType: Quotation In Words will be visible once you save the Quotation. Sačuvajte Predračun da bi Ispis slovima bio vidljiv
489 apps/erpnext/erpnext/config/selling.py +229 Customer Addresses And Contacts Kontakt i adresa kupca
494 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74 Buying Amount Iznos nabavke
495 apps/erpnext/erpnext/public/js/setup_wizard.js +247 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26 e.g. 5 Project Id npr. 5 ID Projekta
496 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26 DocType: Journal Entry Account Project Id Purchase Order ID Projekta Porudžbenica
DocType: Journal Entry Account Purchase Order Porudžbenica
497 DocType: GL Entry Voucher Type Vrsta dokumenta
498 apps/erpnext/erpnext/stock/get_item_details.py +310 Price List not selected Cjenovnik nije odabran
499 DocType: Shipping Rule Condition Shipping Rule Condition Uslovi pravila nabavke
517 DocType: Payment Reconciliation Invoice/Journal Entry Details Faktura / Detalji knjiženja
518 apps/erpnext/erpnext/utilities/activation.py +97 DocType: BOM Create Users Manufacturing User Kreiraj korisnike Korisnik u proizvodnji
519 DocType: Pricing Rule apps/erpnext/erpnext/utilities/activation.py +99 Price Create Users Cijena Kreiraj korisnike
520 apps/erpnext/erpnext/config/projects.py +18 DocType: Pricing Rule Project activity / task. Price Projektna aktivnost / zadatak Cijena
521 DocType: Supplier Scorecard Scoring Standing Employee Zaposleni
522 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670 apps/erpnext/erpnext/config/projects.py +18 Quantity Project activity / task. Količina Projektna aktivnost / zadatak
523 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670 Quantity Količina
524 DocType: Buying Settings Purchase Receipt Required Prijem robe je obavezan
525 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}
526 DocType: POS Customer Group Customer Group Grupa kupaca
527 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
528 apps/erpnext/erpnext/hooks.py +119 apps/erpnext/erpnext/hooks.py +123 Request for Quotations Zahtjev za ponude
529 apps/erpnext/erpnext/config/desktop.py +158 Learn Naučite
530 DocType: Payment Entry Cheque/Reference No Broj izvoda
531 DocType: C-Form Series Vrsta dokumenta
532 apps/erpnext/erpnext/public/js/setup_wizard.js +310 apps/erpnext/erpnext/utilities/user_progress.py +100 Box Kutija
533 DocType: Payment Entry Total Allocated Amount Ukupno povezani iznos
534 apps/erpnext/erpnext/config/setup.py +66 Users and Permissions Korisnici i dozvole
535 apps/erpnext/erpnext/public/js/setup_wizard.js +256 apps/erpnext/erpnext/utilities/user_progress.py +38 Add Customers Dodaj kupce
536 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13 Please Delivery Note first Otpremite robu prvo
537 DocType: Lead From Customer Od kupca
538 DocType: Item Maintain Stock Vođenje zalihe
539 DocType: Sales Invoice Item Sales Order Item Pozicija prodajnog naloga
540 apps/erpnext/erpnext/public/js/utils.js +96 Annual Billing: {0} Godišnji promet: {0}
549 apps/erpnext/erpnext/stock/get_item_details.py +297 Item Price added for {0} in Price List {1} Cijena je dodata na artiklu {0} iz cjenovnika {1}
550 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97 DocType: Project Type Quotation {0} not of type {1} Projects Manager Ponuda {0} ne propada {1} Projektni menadžer
551 apps/erpnext/erpnext/config/selling.py +57 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97 All Products or Services. Quotation {0} not of type {1} Svi proizvodi ili usluge. Ponuda {0} ne propada {1}
552 apps/erpnext/erpnext/config/selling.py +57 All Products or Services. Svi proizvodi ili usluge.
553 DocType: Sales Invoice Rounded Total Zaokruženi ukupan iznos
554 DocType: Request for Quotation Supplier Download PDF Preuzmi PDF
555 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +764 Quotation Ponuda
558 apps/erpnext/erpnext/controllers/accounts_controller.py +123 Due Date is mandatory Datum dospijeća je obavezan
559 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94 apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7 Stock transactions before {0} are frozen Cart Promjene na zalihama prije {0} su zamrznute Korpa
560 apps/erpnext/erpnext/selling/doctype/customer/customer.py +161 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94 Credit limit has been crossed for customer {0} {1}/{2} Stock transactions before {0} are frozen Kupac {0} je prekoračio kreditni limit {1} / {2} Promjene na zalihama prije {0} su zamrznute
561 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}
562 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239 Closing (Dr) Saldo (Du)
563 DocType: Sales Invoice Product Bundle Help Sastavnica Pomoć
564 apps/erpnext/erpnext/accounts/report/financial_statements.py +227 Total {0} ({1}) Ukupno bez PDV-a {0} ({1})
565 DocType: Sales Partner Address & Contacts Adresa i kontakti
566 apps/erpnext/erpnext/controllers/accounts_controller.py +293 or ili
568 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21 Standard Selling Standardna prodaja
569 DocType: Purchase Order DocType: Expense Claim To Bill Expense Approver Za fakturisanje Odobravatalj troškova
570 DocType: Company DocType: Purchase Order Chart Of Accounts Template To Bill Templejt za kontni plan Za fakturisanje
571 DocType: Company Chart Of Accounts Template Templejt za kontni plan
572 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14 Ref Vezni dokument
573 DocType: Account Accounts Računi
574 apps/erpnext/erpnext/controllers/buying_controller.py +393 {0} {1} is cancelled or closed {0} {1} je otkazan ili zatvoren
576 DocType: Homepage Products Proizvodi
577 apps/erpnext/erpnext/public/js/setup_wizard.js +100 apps/erpnext/erpnext/public/js/setup_wizard.js +110 e.g. "Build tools for builders" npr. "Izrada alata za profesionalce"
578 apps/erpnext/erpnext/public/js/utils.js +98 Total Unpaid: {0} Ukupno neplaćeno: {0}
579 DocType: Purchase Invoice Ordered Items To Be Billed Is Paid Nefakturisani prodajni nalozi Je plaćeno
580 apps/erpnext/erpnext/config/selling.py +216 Other Reports Ordered Items To Be Billed Ostali izvještaji Nefakturisani prodajni nalozi
581 apps/erpnext/erpnext/config/selling.py +216 Other Reports Ostali izvještaji
582 apps/erpnext/erpnext/config/buying.py +7 Purchasing Kupovina
583 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +861 Delivery Note Otpremnice
584 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.
588 DocType: Email Digest Pending Quotations Predračuni na čekanju
589 apps/erpnext/erpnext/config/stock.py +32 DocType: Appraisal Stock Reports HR User Izvještaji zaliha robe Korisnik za ljudske resure
590 apps/erpnext/erpnext/config/stock.py +32 Stock Ledger Stock Reports Zalihe robe Izvještaji zaliha robe
591 Stock Ledger Zalihe robe
592 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214 Sales Invoice {0} must be cancelled before cancelling this Sales Order Faktura {0} mora biti otkazana prije otkazivanja ovog prodajnog naloga
593 DocType: Email Digest New Quotations Nove ponude
594 apps/erpnext/erpnext/projects/doctype/project/project.js +109 Save the document first. Prvo sačuvajte dokument

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