[merge]
This commit is contained in:
commit
6d950d23a8
@ -92,8 +92,9 @@ def get_orders_to_be_billed(party_type, party):
|
||||
and docstatus = 1
|
||||
and ifnull(status, "") != "Stopped"
|
||||
and ifnull(grand_total, 0) > ifnull(advance_paid, 0)
|
||||
and ifnull(per_billed, 0) < 100.0
|
||||
""" % (voucher_type, 'customer' if party_type == "Customer" else 'supplier', '%s'), party, as_dict = True)
|
||||
and abs(100 - ifnull(per_billed, 0)) > 0.01
|
||||
""" % (voucher_type, 'customer' if party_type == "Customer" else 'supplier', '%s'),
|
||||
party, as_dict = True)
|
||||
|
||||
order_list = []
|
||||
for d in orders:
|
||||
|
@ -212,14 +212,15 @@ erpnext.buying.BuyingController = erpnext.TransactionController.extend({
|
||||
calculate_totals: function() {
|
||||
var tax_count = this.frm.tax_doclist.length;
|
||||
this.frm.doc.grand_total = flt(tax_count ?
|
||||
this.frm.tax_doclist[tax_count - 1].total : this.frm.doc.net_total,
|
||||
precision("grand_total"));
|
||||
this.frm.doc.grand_total_import = flt(this.frm.doc.grand_total /
|
||||
this.frm.doc.conversion_rate, precision("grand_total_import"));
|
||||
this.frm.tax_doclist[tax_count - 1].total : this.frm.doc.net_total);
|
||||
this.frm.doc.grand_total_import = flt(this.frm.doc.grand_total / this.frm.doc.conversion_rate);
|
||||
|
||||
this.frm.doc.total_tax = flt(this.frm.doc.grand_total - this.frm.doc.net_total,
|
||||
precision("total_tax"));
|
||||
|
||||
this.frm.doc.grand_total = flt(this.frm.doc.grand_total, precision("grand_total"));
|
||||
this.frm.doc.grand_total_import = flt(this.frm.doc.grand_total_import, precision("grand_total_import"));
|
||||
|
||||
// rounded totals
|
||||
if(frappe.meta.get_docfield(this.frm.doc.doctype, "rounded_total", this.frm.doc.name)) {
|
||||
this.frm.doc.rounded_total = Math.round(this.frm.doc.grand_total);
|
||||
|
@ -247,7 +247,7 @@ def make_purchase_invoice(source_name, target_doc=None):
|
||||
def update_item(obj, target, source_parent):
|
||||
target.amount = flt(obj.amount) - flt(obj.billed_amt)
|
||||
target.base_amount = target.amount * flt(source_parent.conversion_rate)
|
||||
target.qty = target.amount / flt(obj.rate) if flt(obj.rate) else flt(obj.qty)
|
||||
target.qty = target.amount / flt(obj.rate) if (flt(obj.rate) and flt(obj.billed_amt)) else flt(obj.qty)
|
||||
|
||||
doc = get_mapped_doc("Purchase Order", source_name, {
|
||||
"Purchase Order": {
|
||||
|
@ -1,8 +1,6 @@
|
||||
// Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors
|
||||
// License: GNU General Public License v3. See license.txt
|
||||
|
||||
{% include 'setup/doctype/contact_control/contact_control.js' %};
|
||||
|
||||
cur_frm.cscript.refresh = function(doc, dt, dn) {
|
||||
cur_frm.cscript.make_dashboard(doc);
|
||||
|
||||
@ -17,10 +15,8 @@ cur_frm.cscript.refresh = function(doc, dt, dn) {
|
||||
}
|
||||
else{
|
||||
unhide_field(['address_html','contact_html']);
|
||||
// make lists
|
||||
cur_frm.cscript.make_address(doc,dt,dn);
|
||||
cur_frm.cscript.make_contact(doc,dt,dn);
|
||||
}
|
||||
erpnext.utils.render_address_and_contact(cur_frm)
|
||||
}
|
||||
}
|
||||
|
||||
cur_frm.cscript.make_dashboard = function(doc) {
|
||||
@ -57,45 +53,6 @@ cur_frm.cscript.make_dashboard = function(doc) {
|
||||
})
|
||||
}
|
||||
|
||||
|
||||
cur_frm.cscript.make_address = function() {
|
||||
if(!cur_frm.address_list) {
|
||||
cur_frm.address_list = new frappe.ui.Listing({
|
||||
parent: cur_frm.fields_dict['address_html'].wrapper,
|
||||
page_length: 5,
|
||||
new_doctype: "Address",
|
||||
get_query: function() {
|
||||
return "select name, address_type, address_line1, address_line2, city, state, country, pincode, fax, email_id, phone, is_primary_address, is_shipping_address from tabAddress where supplier='" +
|
||||
cur_frm.doc.name.replace(/'/g, "\\'") + "' and docstatus != 2 order by is_primary_address desc"
|
||||
},
|
||||
as_dict: 1,
|
||||
no_results_message: __('No addresses created'),
|
||||
render_row: cur_frm.cscript.render_address_row,
|
||||
});
|
||||
// note: render_address_row is defined in contact_control.js
|
||||
}
|
||||
cur_frm.address_list.run();
|
||||
}
|
||||
|
||||
cur_frm.cscript.make_contact = function() {
|
||||
if(!cur_frm.contact_list) {
|
||||
cur_frm.contact_list = new frappe.ui.Listing({
|
||||
parent: cur_frm.fields_dict['contact_html'].wrapper,
|
||||
page_length: 5,
|
||||
new_doctype: "Contact",
|
||||
get_query: function() {
|
||||
return "select name, first_name, last_name, email_id, phone, mobile_no, department, designation, is_primary_contact from tabContact where supplier='" +
|
||||
cur_frm.doc.name.replace(/'/g, "\\'") + "' and docstatus != 2 order by is_primary_contact desc"
|
||||
},
|
||||
as_dict: 1,
|
||||
no_results_message: __('No contacts created'),
|
||||
render_row: cur_frm.cscript.render_contact_row,
|
||||
});
|
||||
// note: render_contact_row is defined in contact_control.js
|
||||
}
|
||||
cur_frm.contact_list.run();
|
||||
}
|
||||
|
||||
cur_frm.fields_dict['default_price_list'].get_query = function(doc, cdt, cdn) {
|
||||
return{
|
||||
filters:{'buying': 1}
|
||||
|
@ -6,13 +6,17 @@ import frappe
|
||||
import frappe.defaults
|
||||
from frappe import msgprint, _
|
||||
from frappe.model.naming import make_autoname
|
||||
|
||||
from erpnext.utilities.address_and_contact import load_address_and_contact
|
||||
from erpnext.utilities.transaction_base import TransactionBase
|
||||
|
||||
class Supplier(TransactionBase):
|
||||
def get_feed(self):
|
||||
return self.supplier_name
|
||||
|
||||
def onload(self):
|
||||
"""Load address and contacts in `__onload`"""
|
||||
load_address_and_contact(self, "supplier")
|
||||
|
||||
def autoname(self):
|
||||
supp_master_name = frappe.defaults.get_global_default('supp_master_name')
|
||||
if supp_master_name == 'Supplier Name':
|
||||
|
@ -115,13 +115,13 @@ class BuyingController(StockController):
|
||||
self.round_floats_in(self, ["net_total", "net_total_import"])
|
||||
|
||||
def calculate_totals(self):
|
||||
self.grand_total = flt(self.tax_doclist[-1].total if self.tax_doclist
|
||||
else self.net_total, self.precision("grand_total"))
|
||||
self.grand_total_import = flt(self.grand_total / self.conversion_rate,
|
||||
self.precision("grand_total_import"))
|
||||
self.grand_total = flt(self.tax_doclist[-1].total if self.tax_doclist else self.net_total)
|
||||
self.grand_total_import = flt(self.grand_total / self.conversion_rate)
|
||||
|
||||
self.total_tax = flt(self.grand_total - self.net_total,
|
||||
self.precision("total_tax"))
|
||||
self.total_tax = flt(self.grand_total - self.net_total, self.precision("total_tax"))
|
||||
|
||||
self.grand_total = flt(self.grand_total, self.precision("grand_total"))
|
||||
self.grand_total_import = flt(self.grand_total_import, self.precision("grand_total_import"))
|
||||
|
||||
if self.meta.get_field("rounded_total"):
|
||||
self.rounded_total = rounded(self.grand_total)
|
||||
|
@ -217,17 +217,17 @@ class SellingController(StockController):
|
||||
self.round_floats_in(self, ["net_total", "net_total_export"])
|
||||
|
||||
def calculate_totals(self):
|
||||
self.grand_total = flt(self.tax_doclist and \
|
||||
self.tax_doclist[-1].total or self.net_total, self.precision("grand_total"))
|
||||
self.grand_total_export = flt(self.grand_total / self.conversion_rate,
|
||||
self.precision("grand_total_export"))
|
||||
self.grand_total = flt(self.tax_doclist[-1].total if self.tax_doclist else self.net_total)
|
||||
|
||||
self.other_charges_total = flt(self.grand_total - self.net_total,
|
||||
self.precision("other_charges_total"))
|
||||
self.grand_total_export = flt(self.grand_total / self.conversion_rate)
|
||||
|
||||
self.other_charges_total_export = flt(self.grand_total_export -
|
||||
self.net_total_export + flt(self.discount_amount),
|
||||
self.precision("other_charges_total_export"))
|
||||
self.other_charges_total = flt(self.grand_total - self.net_total, self.precision("other_charges_total"))
|
||||
|
||||
self.other_charges_total_export = flt(self.grand_total_export - self.net_total_export +
|
||||
flt(self.discount_amount), self.precision("other_charges_total_export"))
|
||||
|
||||
self.grand_total = flt(self.grand_total, self.precision("grand_total"))
|
||||
self.grand_total_export = flt(self.grand_total_export, self.precision("grand_total_export"))
|
||||
|
||||
self.rounded_total = rounded(self.grand_total)
|
||||
self.rounded_total_export = rounded(self.grand_total_export)
|
||||
|
@ -1,245 +1,257 @@
|
||||
{
|
||||
"autoname": "EXP.######",
|
||||
"creation": "2013-01-10 16:34:14",
|
||||
"docstatus": 0,
|
||||
"doctype": "DocType",
|
||||
"autoname": "naming_series:",
|
||||
"creation": "2013-01-10 16:34:14",
|
||||
"docstatus": 0,
|
||||
"doctype": "DocType",
|
||||
"fields": [
|
||||
{
|
||||
"default": "Draft",
|
||||
"depends_on": "eval:!doc.__islocal",
|
||||
"fieldname": "approval_status",
|
||||
"fieldtype": "Select",
|
||||
"in_filter": 1,
|
||||
"in_list_view": 1,
|
||||
"label": "Approval Status",
|
||||
"no_copy": 1,
|
||||
"oldfieldname": "approval_status",
|
||||
"oldfieldtype": "Select",
|
||||
"options": "Draft\nApproved\nRejected",
|
||||
"permlevel": 0,
|
||||
"default": "EXP",
|
||||
"fieldname": "naming_series",
|
||||
"fieldtype": "Select",
|
||||
"label": "Series",
|
||||
"no_copy": 1,
|
||||
"options": "EXP",
|
||||
"permlevel": 0,
|
||||
"precision": "",
|
||||
"print_hide": 1,
|
||||
"reqd": 1
|
||||
},
|
||||
{
|
||||
"default": "Draft",
|
||||
"depends_on": "eval:!doc.__islocal",
|
||||
"fieldname": "approval_status",
|
||||
"fieldtype": "Select",
|
||||
"in_filter": 1,
|
||||
"in_list_view": 1,
|
||||
"label": "Approval Status",
|
||||
"no_copy": 1,
|
||||
"oldfieldname": "approval_status",
|
||||
"oldfieldtype": "Select",
|
||||
"options": "Draft\nApproved\nRejected",
|
||||
"permlevel": 0,
|
||||
"search_index": 1
|
||||
},
|
||||
},
|
||||
{
|
||||
"description": "A user with \"Expense Approver\" role",
|
||||
"fieldname": "exp_approver",
|
||||
"fieldtype": "Link",
|
||||
"label": "Approver",
|
||||
"oldfieldname": "exp_approver",
|
||||
"oldfieldtype": "Select",
|
||||
"options": "User",
|
||||
"permlevel": 0,
|
||||
"description": "A user with \"Expense Approver\" role",
|
||||
"fieldname": "exp_approver",
|
||||
"fieldtype": "Link",
|
||||
"label": "Approver",
|
||||
"oldfieldname": "exp_approver",
|
||||
"oldfieldtype": "Select",
|
||||
"options": "User",
|
||||
"permlevel": 0,
|
||||
"width": "160px"
|
||||
},
|
||||
},
|
||||
{
|
||||
"fieldname": "column_break0",
|
||||
"fieldtype": "Column Break",
|
||||
"oldfieldtype": "Column Break",
|
||||
"permlevel": 0,
|
||||
"fieldname": "column_break0",
|
||||
"fieldtype": "Column Break",
|
||||
"oldfieldtype": "Column Break",
|
||||
"permlevel": 0,
|
||||
"width": "50%"
|
||||
},
|
||||
},
|
||||
{
|
||||
"fieldname": "total_claimed_amount",
|
||||
"fieldtype": "Currency",
|
||||
"in_filter": 0,
|
||||
"in_list_view": 1,
|
||||
"label": "Total Claimed Amount",
|
||||
"no_copy": 1,
|
||||
"oldfieldname": "total_claimed_amount",
|
||||
"oldfieldtype": "Currency",
|
||||
"options": "Company:company:default_currency",
|
||||
"permlevel": 0,
|
||||
"read_only": 1,
|
||||
"reqd": 0,
|
||||
"fieldname": "total_claimed_amount",
|
||||
"fieldtype": "Currency",
|
||||
"in_filter": 0,
|
||||
"in_list_view": 1,
|
||||
"label": "Total Claimed Amount",
|
||||
"no_copy": 1,
|
||||
"oldfieldname": "total_claimed_amount",
|
||||
"oldfieldtype": "Currency",
|
||||
"options": "Company:company:default_currency",
|
||||
"permlevel": 0,
|
||||
"read_only": 1,
|
||||
"reqd": 0,
|
||||
"width": "160px"
|
||||
},
|
||||
},
|
||||
{
|
||||
"fieldname": "total_sanctioned_amount",
|
||||
"fieldtype": "Currency",
|
||||
"in_filter": 0,
|
||||
"in_list_view": 1,
|
||||
"label": "Total Sanctioned Amount",
|
||||
"no_copy": 1,
|
||||
"oldfieldname": "total_sanctioned_amount",
|
||||
"oldfieldtype": "Currency",
|
||||
"options": "Company:company:default_currency",
|
||||
"permlevel": 0,
|
||||
"read_only": 1,
|
||||
"fieldname": "total_sanctioned_amount",
|
||||
"fieldtype": "Currency",
|
||||
"in_filter": 0,
|
||||
"in_list_view": 1,
|
||||
"label": "Total Sanctioned Amount",
|
||||
"no_copy": 1,
|
||||
"oldfieldname": "total_sanctioned_amount",
|
||||
"oldfieldtype": "Currency",
|
||||
"options": "Company:company:default_currency",
|
||||
"permlevel": 0,
|
||||
"read_only": 1,
|
||||
"width": "160px"
|
||||
},
|
||||
},
|
||||
{
|
||||
"fieldname": "expense_details",
|
||||
"fieldtype": "Section Break",
|
||||
"label": "Expense Details",
|
||||
"oldfieldtype": "Section Break",
|
||||
"fieldname": "expense_details",
|
||||
"fieldtype": "Section Break",
|
||||
"label": "Expense Details",
|
||||
"oldfieldtype": "Section Break",
|
||||
"permlevel": 0
|
||||
},
|
||||
},
|
||||
{
|
||||
"allow_on_submit": 0,
|
||||
"fieldname": "expense_voucher_details",
|
||||
"fieldtype": "Table",
|
||||
"label": "Expense Claim Details",
|
||||
"oldfieldname": "expense_voucher_details",
|
||||
"oldfieldtype": "Table",
|
||||
"options": "Expense Claim Detail",
|
||||
"allow_on_submit": 0,
|
||||
"fieldname": "expense_voucher_details",
|
||||
"fieldtype": "Table",
|
||||
"label": "Expense Claim Details",
|
||||
"oldfieldname": "expense_voucher_details",
|
||||
"oldfieldtype": "Table",
|
||||
"options": "Expense Claim Detail",
|
||||
"permlevel": 0
|
||||
},
|
||||
},
|
||||
{
|
||||
"fieldname": "sb1",
|
||||
"fieldtype": "Section Break",
|
||||
"options": "Simple",
|
||||
"fieldname": "sb1",
|
||||
"fieldtype": "Section Break",
|
||||
"options": "Simple",
|
||||
"permlevel": 0
|
||||
},
|
||||
},
|
||||
{
|
||||
"fieldname": "posting_date",
|
||||
"fieldtype": "Date",
|
||||
"in_filter": 1,
|
||||
"label": "Posting Date",
|
||||
"oldfieldname": "posting_date",
|
||||
"oldfieldtype": "Date",
|
||||
"permlevel": 0,
|
||||
"fieldname": "posting_date",
|
||||
"fieldtype": "Date",
|
||||
"in_filter": 1,
|
||||
"label": "Posting Date",
|
||||
"oldfieldname": "posting_date",
|
||||
"oldfieldtype": "Date",
|
||||
"permlevel": 0,
|
||||
"reqd": 1
|
||||
},
|
||||
},
|
||||
{
|
||||
"fieldname": "employee",
|
||||
"fieldtype": "Link",
|
||||
"in_filter": 1,
|
||||
"label": "From Employee",
|
||||
"oldfieldname": "employee",
|
||||
"oldfieldtype": "Link",
|
||||
"options": "Employee",
|
||||
"permlevel": 0,
|
||||
"reqd": 1,
|
||||
"fieldname": "employee",
|
||||
"fieldtype": "Link",
|
||||
"in_filter": 1,
|
||||
"label": "From Employee",
|
||||
"oldfieldname": "employee",
|
||||
"oldfieldtype": "Link",
|
||||
"options": "Employee",
|
||||
"permlevel": 0,
|
||||
"reqd": 1,
|
||||
"search_index": 1
|
||||
},
|
||||
},
|
||||
{
|
||||
"fieldname": "employee_name",
|
||||
"fieldtype": "Data",
|
||||
"in_filter": 1,
|
||||
"in_list_view": 1,
|
||||
"label": "Employee Name",
|
||||
"oldfieldname": "employee_name",
|
||||
"oldfieldtype": "Data",
|
||||
"permlevel": 0,
|
||||
"read_only": 1,
|
||||
"search_index": 0,
|
||||
"fieldname": "employee_name",
|
||||
"fieldtype": "Data",
|
||||
"in_filter": 1,
|
||||
"in_list_view": 1,
|
||||
"label": "Employee Name",
|
||||
"oldfieldname": "employee_name",
|
||||
"oldfieldtype": "Data",
|
||||
"permlevel": 0,
|
||||
"read_only": 1,
|
||||
"search_index": 0,
|
||||
"width": "150px"
|
||||
},
|
||||
},
|
||||
{
|
||||
"fieldname": "company",
|
||||
"fieldtype": "Link",
|
||||
"in_filter": 1,
|
||||
"label": "Company",
|
||||
"oldfieldname": "company",
|
||||
"oldfieldtype": "Link",
|
||||
"options": "Company",
|
||||
"permlevel": 0,
|
||||
"fieldname": "company",
|
||||
"fieldtype": "Link",
|
||||
"in_filter": 1,
|
||||
"label": "Company",
|
||||
"oldfieldname": "company",
|
||||
"oldfieldtype": "Link",
|
||||
"options": "Company",
|
||||
"permlevel": 0,
|
||||
"reqd": 1
|
||||
},
|
||||
},
|
||||
{
|
||||
"fieldname": "fiscal_year",
|
||||
"fieldtype": "Link",
|
||||
"in_filter": 1,
|
||||
"label": "Fiscal Year",
|
||||
"oldfieldname": "fiscal_year",
|
||||
"oldfieldtype": "Select",
|
||||
"options": "Fiscal Year",
|
||||
"permlevel": 0,
|
||||
"fieldname": "fiscal_year",
|
||||
"fieldtype": "Link",
|
||||
"in_filter": 1,
|
||||
"label": "Fiscal Year",
|
||||
"oldfieldname": "fiscal_year",
|
||||
"oldfieldtype": "Select",
|
||||
"options": "Fiscal Year",
|
||||
"permlevel": 0,
|
||||
"reqd": 1
|
||||
},
|
||||
},
|
||||
{
|
||||
"fieldname": "cb1",
|
||||
"fieldtype": "Column Break",
|
||||
"fieldname": "cb1",
|
||||
"fieldtype": "Column Break",
|
||||
"permlevel": 0
|
||||
},
|
||||
},
|
||||
{
|
||||
"allow_on_submit": 0,
|
||||
"fieldname": "remark",
|
||||
"fieldtype": "Small Text",
|
||||
"label": "Remark",
|
||||
"no_copy": 1,
|
||||
"oldfieldname": "remark",
|
||||
"oldfieldtype": "Small Text",
|
||||
"allow_on_submit": 0,
|
||||
"fieldname": "remark",
|
||||
"fieldtype": "Small Text",
|
||||
"label": "Remark",
|
||||
"no_copy": 1,
|
||||
"oldfieldname": "remark",
|
||||
"oldfieldtype": "Small Text",
|
||||
"permlevel": 0
|
||||
},
|
||||
},
|
||||
{
|
||||
"fieldname": "email_id",
|
||||
"fieldtype": "Data",
|
||||
"hidden": 1,
|
||||
"label": "Employees Email Id",
|
||||
"oldfieldname": "email_id",
|
||||
"oldfieldtype": "Data",
|
||||
"permlevel": 0,
|
||||
"fieldname": "email_id",
|
||||
"fieldtype": "Data",
|
||||
"hidden": 1,
|
||||
"label": "Employees Email Id",
|
||||
"oldfieldname": "email_id",
|
||||
"oldfieldtype": "Data",
|
||||
"permlevel": 0,
|
||||
"print_hide": 1
|
||||
},
|
||||
},
|
||||
{
|
||||
"fieldname": "amended_from",
|
||||
"fieldtype": "Link",
|
||||
"ignore_user_permissions": 1,
|
||||
"label": "Amended From",
|
||||
"no_copy": 1,
|
||||
"oldfieldname": "amended_from",
|
||||
"oldfieldtype": "Data",
|
||||
"options": "Expense Claim",
|
||||
"permlevel": 0,
|
||||
"print_hide": 1,
|
||||
"read_only": 1,
|
||||
"report_hide": 1,
|
||||
"fieldname": "amended_from",
|
||||
"fieldtype": "Link",
|
||||
"ignore_user_permissions": 1,
|
||||
"label": "Amended From",
|
||||
"no_copy": 1,
|
||||
"oldfieldname": "amended_from",
|
||||
"oldfieldtype": "Data",
|
||||
"options": "Expense Claim",
|
||||
"permlevel": 0,
|
||||
"print_hide": 1,
|
||||
"read_only": 1,
|
||||
"report_hide": 1,
|
||||
"width": "160px"
|
||||
}
|
||||
],
|
||||
"icon": "icon-money",
|
||||
"idx": 1,
|
||||
"is_submittable": 1,
|
||||
"modified": "2014-10-07 18:22:14.689567",
|
||||
"modified_by": "Administrator",
|
||||
"module": "HR",
|
||||
"name": "Expense Claim",
|
||||
"owner": "harshada@webnotestech.com",
|
||||
],
|
||||
"icon": "icon-money",
|
||||
"idx": 1,
|
||||
"is_submittable": 1,
|
||||
"modified": "2014-11-24 18:25:53.038826",
|
||||
"modified_by": "Administrator",
|
||||
"module": "HR",
|
||||
"name": "Expense Claim",
|
||||
"owner": "harshada@webnotestech.com",
|
||||
"permissions": [
|
||||
{
|
||||
"apply_user_permissions": 1,
|
||||
"create": 1,
|
||||
"delete": 0,
|
||||
"email": 1,
|
||||
"permlevel": 0,
|
||||
"print": 1,
|
||||
"read": 1,
|
||||
"report": 1,
|
||||
"role": "Employee",
|
||||
"apply_user_permissions": 1,
|
||||
"create": 1,
|
||||
"delete": 0,
|
||||
"email": 1,
|
||||
"permlevel": 0,
|
||||
"print": 1,
|
||||
"read": 1,
|
||||
"report": 1,
|
||||
"role": "Employee",
|
||||
"write": 1
|
||||
},
|
||||
},
|
||||
{
|
||||
"amend": 1,
|
||||
"apply_user_permissions": 1,
|
||||
"cancel": 1,
|
||||
"create": 1,
|
||||
"delete": 1,
|
||||
"email": 1,
|
||||
"permlevel": 0,
|
||||
"print": 1,
|
||||
"read": 1,
|
||||
"report": 1,
|
||||
"role": "Expense Approver",
|
||||
"submit": 1,
|
||||
"amend": 1,
|
||||
"apply_user_permissions": 1,
|
||||
"cancel": 1,
|
||||
"create": 1,
|
||||
"delete": 1,
|
||||
"email": 1,
|
||||
"permlevel": 0,
|
||||
"print": 1,
|
||||
"read": 1,
|
||||
"report": 1,
|
||||
"role": "Expense Approver",
|
||||
"submit": 1,
|
||||
"write": 1
|
||||
},
|
||||
},
|
||||
{
|
||||
"amend": 1,
|
||||
"apply_user_permissions": 1,
|
||||
"cancel": 1,
|
||||
"create": 1,
|
||||
"delete": 1,
|
||||
"email": 1,
|
||||
"permlevel": 0,
|
||||
"print": 1,
|
||||
"read": 1,
|
||||
"report": 1,
|
||||
"role": "HR User",
|
||||
"submit": 1,
|
||||
"amend": 1,
|
||||
"apply_user_permissions": 1,
|
||||
"cancel": 1,
|
||||
"create": 1,
|
||||
"delete": 1,
|
||||
"email": 1,
|
||||
"permlevel": 0,
|
||||
"print": 1,
|
||||
"read": 1,
|
||||
"report": 1,
|
||||
"role": "HR User",
|
||||
"submit": 1,
|
||||
"write": 1
|
||||
}
|
||||
],
|
||||
"search_fields": "approval_status,employee,employee_name",
|
||||
"sort_field": "modified",
|
||||
],
|
||||
"search_fields": "approval_status,employee,employee_name",
|
||||
"sort_field": "modified",
|
||||
"sort_order": "DESC"
|
||||
}
|
||||
}
|
||||
|
@ -104,7 +104,15 @@ cur_frm.cscript.calculate_total_days = function(doc, dt, dn) {
|
||||
if(cint(doc.half_day) == 1) set_multiple(dt,dn,{total_leave_days:0.5});
|
||||
else{
|
||||
// server call is done to include holidays in leave days calculations
|
||||
return get_server_fields('get_total_leave_days', '', '', doc, dt, dn, 1);
|
||||
return frappe.call({
|
||||
method: 'erpnext.hr.doctype.leave_application.leave_application.get_total_leave_days',
|
||||
args: {leave_app: doc},
|
||||
callback: function(response) {
|
||||
if (response && response.message) {
|
||||
cur_frm.set_value('total_leave_days', response.message.total_leave_days);
|
||||
}
|
||||
}
|
||||
});
|
||||
}
|
||||
}
|
||||
}
|
||||
|
@ -2,7 +2,7 @@
|
||||
# License: GNU General Public License v3. See license.txt
|
||||
|
||||
from __future__ import unicode_literals
|
||||
import frappe
|
||||
import frappe, json
|
||||
from frappe import _
|
||||
|
||||
from frappe.utils import cint, cstr, date_diff, flt, formatdate, getdate, get_url_to_form, \
|
||||
@ -81,26 +81,10 @@ class LeaveApplication(Document):
|
||||
LeaveDayBlockedError)
|
||||
|
||||
def get_holidays(self):
|
||||
tot_hol = frappe.db.sql("""select count(*) from `tabHoliday` h1, `tabHoliday List` h2, `tabEmployee` e1
|
||||
where e1.name = %s and h1.parent = h2.name and e1.holiday_list = h2.name
|
||||
and h1.holiday_date between %s and %s""", (self.employee, self.from_date, self.to_date))
|
||||
if not tot_hol:
|
||||
tot_hol = frappe.db.sql("""select count(*) from `tabHoliday` h1, `tabHoliday List` h2
|
||||
where h1.parent = h2.name and h1.holiday_date between %s and %s
|
||||
and ifnull(h2.is_default,0) = 1 and h2.fiscal_year = %s""",
|
||||
(self.from_date, self.to_date, self.fiscal_year))
|
||||
return tot_hol and flt(tot_hol[0][0]) or 0
|
||||
return get_holidays(self)
|
||||
|
||||
def get_total_leave_days(self):
|
||||
"""Calculates total leave days based on input and holidays"""
|
||||
ret = {'total_leave_days' : 0.5}
|
||||
if not self.half_day:
|
||||
tot_days = date_diff(self.to_date, self.from_date) + 1
|
||||
holidays = self.get_holidays()
|
||||
ret = {
|
||||
'total_leave_days' : flt(tot_days)-flt(holidays)
|
||||
}
|
||||
return ret
|
||||
return get_total_leave_days(self)
|
||||
|
||||
def validate_to_date(self):
|
||||
if self.from_date and self.to_date and \
|
||||
@ -220,6 +204,35 @@ class LeaveApplication(Document):
|
||||
post(**{"txt": args.message, "contact": args.message_to, "subject": args.subject,
|
||||
"notify": cint(self.follow_via_email)})
|
||||
|
||||
def get_holidays(leave_app):
|
||||
tot_hol = frappe.db.sql("""select count(*) from `tabHoliday` h1, `tabHoliday List` h2, `tabEmployee` e1
|
||||
where e1.name = %s and h1.parent = h2.name and e1.holiday_list = h2.name
|
||||
and h1.holiday_date between %s and %s""", (leave_app.employee, leave_app.from_date, leave_app.to_date))
|
||||
# below line is needed. If an employee hasn't been assigned with any holiday list then above will return 0 rows.
|
||||
tot_hol=tot_hol and flt(tot_hol[0][0]) or 0
|
||||
if not tot_hol:
|
||||
tot_hol = frappe.db.sql("""select count(*) from `tabHoliday` h1, `tabHoliday List` h2
|
||||
where h1.parent = h2.name and h1.holiday_date between %s and %s
|
||||
and ifnull(h2.is_default,0) = 1 and h2.fiscal_year = %s""",
|
||||
(leave_app.from_date, leave_app.to_date, leave_app.fiscal_year))
|
||||
return tot_hol and flt(tot_hol[0][0]) or 0
|
||||
|
||||
@frappe.whitelist()
|
||||
def get_total_leave_days(leave_app):
|
||||
# Parse Leave Application if neccessary
|
||||
if isinstance(leave_app, str) or isinstance(leave_app, unicode):
|
||||
leave_app = frappe.get_doc(json.loads(leave_app))
|
||||
|
||||
"""Calculates total leave days based on input and holidays"""
|
||||
ret = {'total_leave_days' : 0.5}
|
||||
if not leave_app.half_day:
|
||||
tot_days = date_diff(leave_app.to_date, leave_app.from_date) + 1
|
||||
holidays = leave_app.get_holidays()
|
||||
ret = {
|
||||
'total_leave_days' : flt(tot_days)-flt(holidays)
|
||||
}
|
||||
return ret
|
||||
|
||||
@frappe.whitelist()
|
||||
def get_leave_balance(employee, leave_type, fiscal_year):
|
||||
leave_all = frappe.db.sql("""select total_leaves_allocated
|
||||
|
@ -156,7 +156,7 @@ class SalarySlip(TransactionBase):
|
||||
/ cint(self.total_days_in_month), 2)
|
||||
elif not self.payment_days:
|
||||
d.e_modified_amount = 0
|
||||
else:
|
||||
elif not d.e_modified_amount:
|
||||
d.e_modified_amount = d.e_amount
|
||||
self.gross_pay += flt(d.e_modified_amount)
|
||||
|
||||
@ -168,7 +168,7 @@ class SalarySlip(TransactionBase):
|
||||
/ cint(self.total_days_in_month), 2)
|
||||
elif not self.payment_days:
|
||||
d.d_modified_amount = 0
|
||||
else:
|
||||
elif not d.d_modified_amount:
|
||||
d.d_modified_amount = d.d_amount
|
||||
|
||||
self.total_deduction += flt(d.d_modified_amount)
|
||||
|
@ -90,6 +90,7 @@ erpnext.patches.v4_2.fix_gl_entries_for_stock_transactions
|
||||
erpnext.patches.v4_2.update_requested_and_ordered_qty
|
||||
erpnext.patches.v4_2.party_model
|
||||
erpnext.patches.v4_4.make_email_accounts
|
||||
execute:frappe.delete_doc("DocType", "Contact Control")
|
||||
erpnext.patches.v5_0.update_frozen_accounts_permission_role
|
||||
erpnext.patches.v5_0.update_dn_against_doc_fields
|
||||
execute:frappe.db.sql("update `tabMaterial Request` set material_request_type = 'Material Transfer' where material_request_type = 'Transfer'")
|
||||
|
@ -11,7 +11,9 @@
|
||||
"public/js/feature_setup.js",
|
||||
"public/js/utils.js",
|
||||
"public/js/queries.js",
|
||||
"public/js/utils/party.js"
|
||||
"public/js/utils/party.js",
|
||||
"public/js/templates/address_list.html",
|
||||
"public/js/templates/contact_list.html"
|
||||
],
|
||||
"css/shopping-cart-web.css": [
|
||||
"public/css/shopping_cart.css"
|
||||
|
20
erpnext/public/js/templates/address_list.html
Normal file
20
erpnext/public/js/templates/address_list.html
Normal file
@ -0,0 +1,20 @@
|
||||
<p><button class="btn btn-sm btn-default btn-address">
|
||||
<i class="icon-plus"></i> New Address</button></p>
|
||||
{% for(var i=0, l=addr_list.length; i<l; i++) { %}
|
||||
<hr>
|
||||
<a href="#Form/Address/{%= addr_list[i].name %}" class="btn btn-sm btn-default pull-right">
|
||||
{%= __("Edit") %}</a>
|
||||
<p><b>{%= i+1 %}. {%= addr_list[i].address_type %}</b></p>
|
||||
<div style="padding-left: 15px;">
|
||||
<div>
|
||||
{% if(addr_list[i].is_primary_address) { %}<span class="label label-info">
|
||||
{%= __("Primary") %}</span>{% } %}
|
||||
{% if(addr_list[i].is_shipping_address) { %}<span class="label label-default">
|
||||
{%= __("Shipping") %}</span>{% } %}
|
||||
</div>
|
||||
<p style="margin-top: 5px;">{%= addr_list[i].display %}</p>
|
||||
</div>
|
||||
{% } %}
|
||||
{% if(!addr_list.length) { %}
|
||||
<p class="text-muted">{%= __("No address added yet.") %}</p>
|
||||
{% } %}
|
25
erpnext/public/js/templates/contact_list.html
Normal file
25
erpnext/public/js/templates/contact_list.html
Normal file
@ -0,0 +1,25 @@
|
||||
<p><button class="btn btn-sm btn-default btn-contact">
|
||||
<i class="icon-plus"></i> New Contact</button></p>
|
||||
{% for(var i=0, l=contact_list.length; i<l; i++) { %}
|
||||
<hr>
|
||||
<a href="#Form/Contact/{%= contact_list[i].name %}" class="btn btn-sm btn-default pull-right">
|
||||
{%= __("Edit") %}</a>
|
||||
<p><b>{%= i+1 %}. {%= contact_list[i].first_name %} {%= contact_list[i].last_name %}</b></p>
|
||||
<div style="padding-left: 15px;">
|
||||
<div>
|
||||
{% if(contact_list[i].is_primary_contact) { %}<span class="label label-info">
|
||||
{%= __("Primary") %}</span>{% } %}
|
||||
</div>
|
||||
<p style="padding-top: 5px;">
|
||||
{% if(contact_list[i].phone) { %}
|
||||
{%= __("Phone") %}: {%= contact_list[i].phone %}<br>
|
||||
{% } %}
|
||||
{% if(contact_list[i].email_id) { %}
|
||||
{%= __("Email Id") %}: {%= contact_list[i].email_id %}
|
||||
{% } %}
|
||||
</p>
|
||||
</div>
|
||||
{% } %}
|
||||
{% if(!contact_list.length) { %}
|
||||
<p class="text-muted">{%= __("No contacts added yet.") %}</p>
|
||||
{% } %}
|
@ -97,5 +97,28 @@ $.extend(erpnext, {
|
||||
|
||||
d.show();
|
||||
});
|
||||
}
|
||||
},
|
||||
});
|
||||
|
||||
erpnext.utils = {
|
||||
render_address_and_contact: function(frm) {
|
||||
// render address
|
||||
$(frm.fields_dict['address_html'].wrapper)
|
||||
.html(frappe.render(frappe.templates.address_list,
|
||||
cur_frm.doc.__onload))
|
||||
.find(".btn-address").on("click", function() {
|
||||
new_doc("Address");
|
||||
});
|
||||
|
||||
// render contact
|
||||
if(frm.fields_dict['contact_html']) {
|
||||
$(frm.fields_dict['contact_html'].wrapper)
|
||||
.html(frappe.render(frappe.templates.contact_list,
|
||||
cur_frm.doc.__onload))
|
||||
.find(".btn-contact").on("click", function() {
|
||||
new_doc("Contact");
|
||||
}
|
||||
);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
@ -1,8 +1,6 @@
|
||||
// Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors
|
||||
// License: GNU General Public License v3. See license.txt
|
||||
|
||||
{% include 'setup/doctype/contact_control/contact_control.js' %};
|
||||
|
||||
cur_frm.cscript.onload = function(doc, dt, dn) {
|
||||
cur_frm.cscript.load_defaults(doc, dt, dn);
|
||||
}
|
||||
@ -32,8 +30,7 @@ cur_frm.cscript.refresh = function(doc, dt, dn) {
|
||||
}else{
|
||||
unhide_field(['address_html','contact_html']);
|
||||
// make lists
|
||||
cur_frm.cscript.make_address(doc, dt, dn);
|
||||
cur_frm.cscript.make_contact(doc, dt, dn);
|
||||
erpnext.utils.render_address_and_contact(cur_frm);
|
||||
}
|
||||
}
|
||||
|
||||
@ -76,44 +73,6 @@ cur_frm.cscript.setup_dashboard = function(doc) {
|
||||
});
|
||||
}
|
||||
|
||||
cur_frm.cscript.make_address = function() {
|
||||
if(!cur_frm.address_list) {
|
||||
cur_frm.address_list = new frappe.ui.Listing({
|
||||
parent: cur_frm.fields_dict['address_html'].wrapper,
|
||||
page_length: 5,
|
||||
new_doctype: "Address",
|
||||
get_query: function() {
|
||||
return "select name, address_type, address_line1, address_line2, city, state, country, pincode, fax, email_id, phone, is_primary_address, is_shipping_address from tabAddress where customer='" +
|
||||
cur_frm.doc.name.replace(/'/g, "\\'") + "' and docstatus != 2 order by is_primary_address desc"
|
||||
},
|
||||
as_dict: 1,
|
||||
no_results_message: __('No addresses created'),
|
||||
render_row: cur_frm.cscript.render_address_row,
|
||||
});
|
||||
// note: render_address_row is defined in contact_control.js
|
||||
}
|
||||
cur_frm.address_list.run();
|
||||
}
|
||||
|
||||
cur_frm.cscript.make_contact = function() {
|
||||
if(!cur_frm.contact_list) {
|
||||
cur_frm.contact_list = new frappe.ui.Listing({
|
||||
parent: cur_frm.fields_dict['contact_html'].wrapper,
|
||||
page_length: 5,
|
||||
new_doctype: "Contact",
|
||||
get_query: function() {
|
||||
return "select name, first_name, last_name, email_id, phone, mobile_no, department, designation, is_primary_contact from tabContact where customer='" +
|
||||
cur_frm.doc.name.replace(/'/g, "\\'") + "' and docstatus != 2 order by is_primary_contact desc"
|
||||
},
|
||||
as_dict: 1,
|
||||
no_results_message: __('No contacts created'),
|
||||
render_row: cur_frm.cscript.render_contact_row,
|
||||
});
|
||||
// note: render_contact_row is defined in contact_control.js
|
||||
}
|
||||
cur_frm.contact_list.run();
|
||||
}
|
||||
|
||||
cur_frm.fields_dict['customer_group'].get_query = function(doc, dt, dn) {
|
||||
return{
|
||||
filters:{'is_group': 'No'}
|
||||
|
@ -8,13 +8,17 @@ from frappe import _, msgprint, throw
|
||||
import frappe.defaults
|
||||
from frappe.utils import flt
|
||||
|
||||
|
||||
from erpnext.utilities.transaction_base import TransactionBase
|
||||
from erpnext.utilities.address_and_contact import load_address_and_contact
|
||||
|
||||
class Customer(TransactionBase):
|
||||
def get_feed(self):
|
||||
return self.customer_name
|
||||
|
||||
def onload(self):
|
||||
"""Load address and contacts in `__onload`"""
|
||||
load_address_and_contact(self, "customer")
|
||||
|
||||
def autoname(self):
|
||||
cust_master_name = frappe.defaults.get_global_default('cust_master_name')
|
||||
if cust_master_name == 'Customer Name':
|
||||
|
@ -1,8 +1,6 @@
|
||||
// Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors
|
||||
// License: GNU General Public License v3. See license.txt
|
||||
|
||||
{% include 'setup/doctype/contact_control/contact_control.js' %};
|
||||
|
||||
frappe.provide("erpnext");
|
||||
cur_frm.email_field = "email_id";
|
||||
|
||||
@ -37,33 +35,10 @@ erpnext.LeadController = frappe.ui.form.Controller.extend({
|
||||
}
|
||||
|
||||
if(!this.frm.doc.__islocal) {
|
||||
this.make_address_list();
|
||||
erpnext.utils.render_address_and_contact(cur_frm);
|
||||
}
|
||||
},
|
||||
|
||||
make_address_list: function() {
|
||||
var me = this;
|
||||
if(!this.frm.address_list) {
|
||||
this.frm.address_list = new frappe.ui.Listing({
|
||||
parent: this.frm.fields_dict['address_html'].wrapper,
|
||||
page_length: 5,
|
||||
new_doctype: "Address",
|
||||
get_query: function() {
|
||||
return 'select name, address_type, address_line1, address_line2, \
|
||||
city, state, country, pincode, fax, email_id, phone, \
|
||||
is_primary_address, is_shipping_address from tabAddress \
|
||||
where lead="'+me.frm.doc.name+'" and docstatus != 2 \
|
||||
order by is_primary_address, is_shipping_address desc'
|
||||
},
|
||||
as_dict: 1,
|
||||
no_results_message: __('No addresses created'),
|
||||
render_row: this.render_address_row,
|
||||
});
|
||||
// note: render_address_row is defined in contact_control.js
|
||||
}
|
||||
this.frm.address_list.run();
|
||||
},
|
||||
|
||||
create_customer: function() {
|
||||
frappe.model.open_mapped_doc({
|
||||
method: "erpnext.selling.doctype.lead.lead.make_customer",
|
||||
|
@ -9,6 +9,7 @@ from frappe import session
|
||||
from frappe.model.mapper import get_mapped_doc
|
||||
|
||||
from erpnext.controllers.selling_controller import SellingController
|
||||
from erpnext.utilities.address_and_contact import load_address_and_contact
|
||||
|
||||
class Lead(SellingController):
|
||||
def get_feed(self):
|
||||
@ -17,6 +18,7 @@ class Lead(SellingController):
|
||||
def onload(self):
|
||||
customer = frappe.db.get_value("Customer", {"lead_name": self.name})
|
||||
self.get("__onload").is_customer = customer
|
||||
load_address_and_contact(self, "lead")
|
||||
|
||||
def validate(self):
|
||||
self._prev = frappe._dict({
|
||||
|
@ -328,7 +328,7 @@ def make_sales_invoice(source_name, target_doc=None):
|
||||
def update_item(source, target, source_parent):
|
||||
target.amount = flt(source.amount) - flt(source.billed_amt)
|
||||
target.base_amount = target.amount * flt(source_parent.conversion_rate)
|
||||
target.qty = source.rate and target.amount / flt(source.rate) or source.qty
|
||||
target.qty = target.amount / flt(source.rate) if (source.rate and source.billed_amt) else source.qty
|
||||
|
||||
doclist = get_mapped_doc("Sales Order", source_name, {
|
||||
"Sales Order": {
|
||||
|
@ -343,11 +343,8 @@ erpnext.selling.SellingController = erpnext.TransactionController.extend({
|
||||
var me = this;
|
||||
var tax_count = this.frm.tax_doclist.length;
|
||||
|
||||
this.frm.doc.grand_total = flt(
|
||||
tax_count ? this.frm.tax_doclist[tax_count - 1].total : this.frm.doc.net_total,
|
||||
precision("grand_total"));
|
||||
this.frm.doc.grand_total_export = flt(this.frm.doc.grand_total / this.frm.doc.conversion_rate,
|
||||
precision("grand_total_export"));
|
||||
this.frm.doc.grand_total = flt(tax_count ? this.frm.tax_doclist[tax_count - 1].total : this.frm.doc.net_total);
|
||||
this.frm.doc.grand_total_export = flt(this.frm.doc.grand_total / this.frm.doc.conversion_rate);
|
||||
|
||||
this.frm.doc.other_charges_total = flt(this.frm.doc.grand_total - this.frm.doc.net_total,
|
||||
precision("other_charges_total"));
|
||||
@ -355,6 +352,9 @@ erpnext.selling.SellingController = erpnext.TransactionController.extend({
|
||||
this.frm.doc.net_total_export + flt(this.frm.doc.discount_amount),
|
||||
precision("other_charges_total_export"));
|
||||
|
||||
this.frm.doc.grand_total = flt(this.frm.doc.grand_total, precision("grand_total"));
|
||||
this.frm.doc.grand_total_export = flt(this.frm.doc.grand_total_export, precision("grand_total_export"));
|
||||
|
||||
this.frm.doc.rounded_total = Math.round(this.frm.doc.grand_total);
|
||||
this.frm.doc.rounded_total_export = Math.round(this.frm.doc.grand_total_export);
|
||||
},
|
||||
|
@ -1 +0,0 @@
|
||||
[To deprecate] Common scripts for Contacts.
|
@ -1 +0,0 @@
|
||||
from __future__ import unicode_literals
|
@ -1,161 +0,0 @@
|
||||
// Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors
|
||||
// License: GNU General Public License v3. See license.txt
|
||||
|
||||
if(cur_frm.fields_dict['territory']) {
|
||||
cur_frm.fields_dict['territory'].get_query = function(doc, dt, dn) {
|
||||
return {
|
||||
filters: {
|
||||
'is_group': "No"
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
cur_frm.cscript.render_contact_row = function(wrapper, data) {
|
||||
// prepare data
|
||||
data.fullname = (data.first_name || '')
|
||||
+ (data.last_name ? ' ' + data.last_name : '');
|
||||
data.primary = data.is_primary_contact ? ' [Primary]' : '';
|
||||
|
||||
// prepare description
|
||||
var description = [];
|
||||
$.each([
|
||||
['phone', 'Tel'],
|
||||
['mobile_no', 'Mobile'],
|
||||
['email_id', 'Email'],
|
||||
['department', 'Department'],
|
||||
['designation', 'Designation']],
|
||||
function(i, v) {
|
||||
if(v[0] && data[v[0]]) {
|
||||
description.push(repl('<h6>%(label)s:</h6> %(value)s', {
|
||||
label: v[1],
|
||||
value: data[v[0]],
|
||||
}));
|
||||
}
|
||||
});
|
||||
data.description = description.join('<br />');
|
||||
|
||||
cur_frm.cscript.render_row_in_wrapper(wrapper, data, 'Contact');
|
||||
}
|
||||
|
||||
cur_frm.cscript.render_address_row = function(wrapper, data) {
|
||||
// prepare data
|
||||
data.fullname = data.address_type;
|
||||
data.primary = '';
|
||||
if (data.is_primary_address) data.primary += ' [Preferred for Billing]';
|
||||
if (data.is_shipping_address) data.primary += ' [Preferred for Shipping]';
|
||||
|
||||
// prepare address
|
||||
var address = [];
|
||||
$.each(['address_line1', 'address_line2', 'city', 'state', 'country', 'pincode'],
|
||||
function(i, v) {
|
||||
if(data[v]) address.push(data[v]);
|
||||
});
|
||||
|
||||
data.address = address.join('<br />');
|
||||
data.address = "<p class='address-list'>" + data.address + "</p>";
|
||||
|
||||
// prepare description
|
||||
var description = [];
|
||||
$.each([
|
||||
['address', 'Address'],
|
||||
['phone', 'Tel'],
|
||||
['fax', 'Fax'],
|
||||
['email_id', 'Email']],
|
||||
function(i, v) {
|
||||
if(data[v[0]]) {
|
||||
description.push(repl('<h6>%(label)s:</h6> %(value)s', {
|
||||
label: v[1],
|
||||
value: data[v[0]],
|
||||
}));
|
||||
}
|
||||
});
|
||||
data.description = description.join('<br />');
|
||||
|
||||
cur_frm.cscript.render_row_in_wrapper(wrapper, data, 'Address');
|
||||
|
||||
$(wrapper).find('p.address-list').css({
|
||||
'padding-left': '10px',
|
||||
'margin-bottom': '-10px'
|
||||
});
|
||||
}
|
||||
|
||||
cur_frm.cscript.render_row_in_wrapper = function(wrapper, data, doctype) {
|
||||
// render
|
||||
var $wrapper = $(wrapper);
|
||||
|
||||
data.doctype = doctype.toLowerCase();
|
||||
|
||||
$wrapper.append(repl("\
|
||||
<h4><a class='link_type'>%(fullname)s</a>%(primary)s</h4>\
|
||||
<div class='description'>\
|
||||
<p>%(description)s</p>\
|
||||
<p><a class='delete link_type'>delete this %(doctype)s</a></p>\
|
||||
</div>", data));
|
||||
|
||||
// make link
|
||||
$wrapper.find('h4 a.link_type').click(function() {
|
||||
loaddoc(doctype, data.name);
|
||||
});
|
||||
|
||||
// css
|
||||
$wrapper.css({ 'margin': '0px' });
|
||||
$wrapper.find('div.description').css({
|
||||
'padding': '5px 2px',
|
||||
'line-height': '150%',
|
||||
});
|
||||
$wrapper.find('h6').css({ 'display': 'inline-block' });
|
||||
|
||||
// show delete
|
||||
var $delete_doc = $wrapper.find('a.delete');
|
||||
if (frappe.model.can_delete(doctype))
|
||||
$delete_doc.toggle(true);
|
||||
else
|
||||
$delete_doc.toggle(false);
|
||||
|
||||
$delete_doc.css({ 'padding-left': '0px' });
|
||||
|
||||
$delete_doc.click(function() {
|
||||
cur_frm.cscript.delete_doc(doctype, data.name);
|
||||
return false;
|
||||
});
|
||||
}
|
||||
|
||||
cur_frm.cscript.delete_doc = function(doctype, name) {
|
||||
// confirm deletion
|
||||
var go_ahead = confirm(__("Delete {0} {1}?", [doctype, name]));
|
||||
if (!go_ahead) return;
|
||||
|
||||
frappe.model.delete_doc(doctype, name, function(r) {
|
||||
if (!r.exc) {
|
||||
var list_name = doctype.toLowerCase() + '_list';
|
||||
cur_frm[list_name].run();
|
||||
}
|
||||
});
|
||||
}
|
||||
|
||||
// Render List
|
||||
cur_frm.cscript.render_list = function(doc, doctype, wrapper, ListView, make_new_doc) {
|
||||
frappe.model.with_doctype(doctype, function(r) {
|
||||
if((r && r['403']) || frappe.boot.user.all_read.indexOf(doctype)===-1) {
|
||||
return;
|
||||
}
|
||||
var RecordListView = frappe.views.RecordListView.extend({
|
||||
default_docstatus: ['0', '1', '2'],
|
||||
default_filters: [
|
||||
[doctype, doc.doctype.toLowerCase().replace(" ", "_"), '=', doc.name],
|
||||
],
|
||||
});
|
||||
|
||||
if (make_new_doc) {
|
||||
RecordListView = RecordListView.extend({
|
||||
make_new_doc: make_new_doc,
|
||||
});
|
||||
}
|
||||
|
||||
var record_list_view = new RecordListView(doctype, wrapper, ListView);
|
||||
if (!cur_frm[doctype.toLowerCase().replace(" ", "_") + "_list"]) {
|
||||
cur_frm[doctype.toLowerCase().replace(" ", "_") + "_list"] = record_list_view;
|
||||
}
|
||||
});
|
||||
}
|
@ -1,48 +0,0 @@
|
||||
{
|
||||
"creation": "2012-03-27 14:36:19.000000",
|
||||
"docstatus": 0,
|
||||
"doctype": "DocType",
|
||||
"fields": [
|
||||
{
|
||||
"fieldname": "header",
|
||||
"fieldtype": "Text",
|
||||
"in_list_view": 1,
|
||||
"label": "Header",
|
||||
"permlevel": 0
|
||||
},
|
||||
{
|
||||
"fieldname": "customer_intro",
|
||||
"fieldtype": "Text",
|
||||
"in_list_view": 1,
|
||||
"label": "Customer Intro",
|
||||
"permlevel": 0
|
||||
},
|
||||
{
|
||||
"fieldname": "supplier_intro",
|
||||
"fieldtype": "Text",
|
||||
"in_list_view": 1,
|
||||
"label": "Supplier Intro",
|
||||
"permlevel": 0
|
||||
}
|
||||
],
|
||||
"idx": 1,
|
||||
"in_create": 1,
|
||||
"issingle": 1,
|
||||
"modified": "2013-12-20 19:23:02.000000",
|
||||
"modified_by": "Administrator",
|
||||
"module": "Setup",
|
||||
"name": "Contact Control",
|
||||
"owner": "Administrator",
|
||||
"permissions": [
|
||||
{
|
||||
"create": 0,
|
||||
"email": 1,
|
||||
"permlevel": 0,
|
||||
"print": 1,
|
||||
"read": 1,
|
||||
"role": "System Manager",
|
||||
"write": 1
|
||||
}
|
||||
],
|
||||
"read_only": 1
|
||||
}
|
@ -1,10 +0,0 @@
|
||||
# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors
|
||||
# License: GNU General Public License v3. See license.txt
|
||||
|
||||
from __future__ import unicode_literals
|
||||
import frappe
|
||||
|
||||
from frappe.model.document import Document
|
||||
|
||||
class ContactControl(Document):
|
||||
pass
|
@ -1,12 +1,6 @@
|
||||
// Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors
|
||||
// License: GNU General Public License v3. See license.txt
|
||||
|
||||
{% include 'setup/doctype/contact_control/contact_control.js' %};
|
||||
|
||||
cur_frm.cscript.onload = function(doc,dt,dn){
|
||||
|
||||
}
|
||||
|
||||
cur_frm.cscript.refresh = function(doc,dt,dn){
|
||||
|
||||
if(doc.__islocal){
|
||||
@ -14,63 +8,10 @@ cur_frm.cscript.refresh = function(doc,dt,dn){
|
||||
}
|
||||
else{
|
||||
unhide_field(['address_html', 'contact_html']);
|
||||
// make lists
|
||||
cur_frm.cscript.make_address(doc,dt,dn);
|
||||
cur_frm.cscript.make_contact(doc,dt,dn);
|
||||
erpnext.utils.render_address_and_contact(cur_frm);
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
cur_frm.cscript.make_address = function() {
|
||||
if(!cur_frm.address_list) {
|
||||
cur_frm.address_list = new frappe.ui.Listing({
|
||||
parent: cur_frm.fields_dict['address_html'].wrapper,
|
||||
page_length: 2,
|
||||
new_doctype: "Address",
|
||||
custom_new_doc: function(doctype) {
|
||||
var address = frappe.model.make_new_doc_and_get_name('Address');
|
||||
address = locals['Address'][address];
|
||||
address.sales_partner = cur_frm.doc.name;
|
||||
address.address_title = cur_frm.doc.name;
|
||||
address.address_type = "Office";
|
||||
frappe.set_route("Form", "Address", address.name);
|
||||
},
|
||||
get_query: function() {
|
||||
return "select name, address_type, address_line1, address_line2, city, state, country, pincode, fax, email_id, phone, is_primary_address, is_shipping_address from tabAddress where sales_partner='" +
|
||||
cur_frm.doc.name.replace(/'/g, "\\'") + "' and docstatus != 2 order by is_primary_address desc"
|
||||
},
|
||||
as_dict: 1,
|
||||
no_results_message: __('No addresses created'),
|
||||
render_row: cur_frm.cscript.render_address_row,
|
||||
});
|
||||
}
|
||||
cur_frm.address_list.run();
|
||||
}
|
||||
|
||||
cur_frm.cscript.make_contact = function() {
|
||||
if(!cur_frm.contact_list) {
|
||||
cur_frm.contact_list = new frappe.ui.Listing({
|
||||
parent: cur_frm.fields_dict['contact_html'].wrapper,
|
||||
page_length: 2,
|
||||
new_doctype: "Contact",
|
||||
custom_new_doc: function(doctype) {
|
||||
var contact = frappe.model.make_new_doc_and_get_name('Contact');
|
||||
contact = locals['Contact'][contact];
|
||||
contact.sales_partner = cur_frm.doc.name;
|
||||
frappe.set_route("Form", "Contact", contact.name);
|
||||
},
|
||||
get_query: function() {
|
||||
return "select name, first_name, last_name, email_id, phone, mobile_no, department, designation, is_primary_contact from tabContact where sales_partner='" +
|
||||
cur_frm.doc.name.replace(/'/g, "\\'") + "' and docstatus != 2 order by is_primary_contact desc"
|
||||
},
|
||||
as_dict: 1,
|
||||
no_results_message: __('No contacts created'),
|
||||
render_row: cur_frm.cscript.render_contact_row,
|
||||
});
|
||||
}
|
||||
cur_frm.contact_list.run();
|
||||
}
|
||||
|
||||
cur_frm.fields_dict['partner_target_details'].grid.get_field("item_group").get_query = function(doc, dt, dn) {
|
||||
return{
|
||||
filters:{ 'is_group': "No" }
|
||||
|
@ -5,11 +5,16 @@ from __future__ import unicode_literals
|
||||
import frappe
|
||||
from frappe.utils import cstr, filter_strip_join
|
||||
from frappe.website.website_generator import WebsiteGenerator
|
||||
from erpnext.utilities.address_and_contact import load_address_and_contact
|
||||
|
||||
class SalesPartner(WebsiteGenerator):
|
||||
page_title_field = "partner_name"
|
||||
condition_field = "show_in_website"
|
||||
template = "templates/generators/sales_partner.html"
|
||||
def onload(self):
|
||||
"""Load address and contacts in `__onload`"""
|
||||
load_address_and_contact(self, "sales_partner")
|
||||
|
||||
def autoname(self):
|
||||
self.name = self.partner_name
|
||||
|
||||
|
@ -59,15 +59,18 @@ frappe.pages['setup-wizard'].onload = function(wrapper) {
|
||||
title: __("Select Your Language"),
|
||||
icon: "icon-globe",
|
||||
fields: [
|
||||
{"fieldname": "language", "label": __("Language"), "fieldtype": "Select",
|
||||
{
|
||||
"fieldname": "language", "label": __("Language"), "fieldtype": "Select",
|
||||
options: ["english", "العربية", "deutsch", "ελληνικά", "español", "français", "हिंदी", "hrvatski",
|
||||
"italiano", "nederlands", "polski", "português brasileiro", "português", "српски", "தமிழ்",
|
||||
"ไทย", "中国(简体)", "中國(繁體)"], reqd:1},
|
||||
"italiano", "nederlands", "polski", "português brasileiro", "português", "српски", "தமிழ்",
|
||||
"ไทย", "中国(简体)", "中國(繁體)"],
|
||||
reqd:1, "default": "english"
|
||||
},
|
||||
],
|
||||
help: __("Welcome to ERPNext. Please select your language to begin the Setup Wizard."),
|
||||
onload: function(slide) {
|
||||
slide.get_input("language").on("change", function() {
|
||||
var lang = $(this).val();
|
||||
var lang = $(this).val() || "english";
|
||||
frappe._messages = {};
|
||||
frappe.call({
|
||||
method: "erpnext.setup.page.setup_wizard.setup_wizard.load_messages",
|
||||
|
@ -387,7 +387,8 @@ def make_packing_slip(source_name, target_doc=None):
|
||||
"Delivery Note": {
|
||||
"doctype": "Packing Slip",
|
||||
"field_map": {
|
||||
"name": "delivery_note"
|
||||
"name": "delivery_note",
|
||||
"letter_head": "letter_head"
|
||||
},
|
||||
"validation": {
|
||||
"docstatus": ["=", 0]
|
||||
|
@ -208,7 +208,8 @@ def make_purchase_order(source_name, target_doc=None):
|
||||
["uom", "stock_uom"],
|
||||
["uom", "uom"]
|
||||
],
|
||||
"postprocess": update_item
|
||||
"postprocess": update_item,
|
||||
"condition": lambda doc: doc.ordered_qty < doc.qty
|
||||
}
|
||||
}, target_doc, set_missing_values)
|
||||
|
||||
@ -246,7 +247,8 @@ def make_purchase_order_based_on_supplier(source_name, target_doc=None):
|
||||
["uom", "stock_uom"],
|
||||
["uom", "uom"]
|
||||
],
|
||||
"postprocess": update_item
|
||||
"postprocess": update_item,
|
||||
"condition": lambda doc: doc.ordered_qty < doc.qty
|
||||
}
|
||||
}, target_doc, postprocess)
|
||||
|
||||
@ -324,7 +326,8 @@ def make_stock_entry(source_name, target_doc=None):
|
||||
"parent": "material_request",
|
||||
"uom": "stock_uom",
|
||||
},
|
||||
"postprocess": update_item
|
||||
"postprocess": update_item,
|
||||
"condition": lambda doc: doc.ordered_qty < doc.qty
|
||||
}
|
||||
}, target_doc, set_missing_values)
|
||||
|
||||
|
@ -1,264 +1,281 @@
|
||||
{
|
||||
"autoname": "PS.#######",
|
||||
"creation": "2013-04-11 15:32:24",
|
||||
"description": "Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.",
|
||||
"docstatus": 0,
|
||||
"doctype": "DocType",
|
||||
"document_type": "Transaction",
|
||||
"autoname": "PS.#######",
|
||||
"creation": "2013-04-11 15:32:24",
|
||||
"description": "Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.",
|
||||
"docstatus": 0,
|
||||
"doctype": "DocType",
|
||||
"document_type": "Transaction",
|
||||
"fields": [
|
||||
{
|
||||
"fieldname": "packing_slip_details",
|
||||
"fieldtype": "Section Break",
|
||||
"label": "Packing Slip Items",
|
||||
"permlevel": 0,
|
||||
"fieldname": "packing_slip_details",
|
||||
"fieldtype": "Section Break",
|
||||
"label": "Packing Slip Items",
|
||||
"permlevel": 0,
|
||||
"read_only": 0
|
||||
},
|
||||
},
|
||||
{
|
||||
"fieldname": "column_break0",
|
||||
"fieldtype": "Column Break",
|
||||
"permlevel": 0,
|
||||
"fieldname": "column_break0",
|
||||
"fieldtype": "Column Break",
|
||||
"permlevel": 0,
|
||||
"read_only": 0
|
||||
},
|
||||
},
|
||||
{
|
||||
"description": "Indicates that the package is a part of this delivery (Only Draft)",
|
||||
"fieldname": "delivery_note",
|
||||
"fieldtype": "Link",
|
||||
"in_list_view": 1,
|
||||
"label": "Delivery Note",
|
||||
"options": "Delivery Note",
|
||||
"permlevel": 0,
|
||||
"read_only": 0,
|
||||
"description": "Indicates that the package is a part of this delivery (Only Draft)",
|
||||
"fieldname": "delivery_note",
|
||||
"fieldtype": "Link",
|
||||
"in_list_view": 1,
|
||||
"label": "Delivery Note",
|
||||
"options": "Delivery Note",
|
||||
"permlevel": 0,
|
||||
"read_only": 0,
|
||||
"reqd": 1
|
||||
},
|
||||
},
|
||||
{
|
||||
"fieldname": "column_break1",
|
||||
"fieldtype": "Column Break",
|
||||
"permlevel": 0,
|
||||
"fieldname": "column_break1",
|
||||
"fieldtype": "Column Break",
|
||||
"permlevel": 0,
|
||||
"read_only": 0
|
||||
},
|
||||
},
|
||||
{
|
||||
"fieldname": "naming_series",
|
||||
"fieldtype": "Select",
|
||||
"label": "Series",
|
||||
"no_copy": 0,
|
||||
"options": "PS-",
|
||||
"permlevel": 0,
|
||||
"print_hide": 1,
|
||||
"read_only": 0,
|
||||
"fieldname": "naming_series",
|
||||
"fieldtype": "Select",
|
||||
"label": "Series",
|
||||
"no_copy": 0,
|
||||
"options": "PS-",
|
||||
"permlevel": 0,
|
||||
"print_hide": 1,
|
||||
"read_only": 0,
|
||||
"reqd": 1
|
||||
},
|
||||
},
|
||||
{
|
||||
"fieldname": "section_break0",
|
||||
"fieldtype": "Section Break",
|
||||
"permlevel": 0,
|
||||
"fieldname": "section_break0",
|
||||
"fieldtype": "Section Break",
|
||||
"permlevel": 0,
|
||||
"read_only": 0
|
||||
},
|
||||
},
|
||||
{
|
||||
"fieldname": "column_break2",
|
||||
"fieldtype": "Column Break",
|
||||
"permlevel": 0,
|
||||
"fieldname": "column_break2",
|
||||
"fieldtype": "Column Break",
|
||||
"permlevel": 0,
|
||||
"read_only": 0
|
||||
},
|
||||
},
|
||||
{
|
||||
"description": "Identification of the package for the delivery (for print)",
|
||||
"fieldname": "from_case_no",
|
||||
"fieldtype": "Data",
|
||||
"in_list_view": 1,
|
||||
"label": "From Package No.",
|
||||
"no_copy": 1,
|
||||
"permlevel": 0,
|
||||
"read_only": 0,
|
||||
"reqd": 1,
|
||||
"description": "Identification of the package for the delivery (for print)",
|
||||
"fieldname": "from_case_no",
|
||||
"fieldtype": "Data",
|
||||
"in_list_view": 1,
|
||||
"label": "From Package No.",
|
||||
"no_copy": 1,
|
||||
"permlevel": 0,
|
||||
"read_only": 0,
|
||||
"reqd": 1,
|
||||
"width": "50px"
|
||||
},
|
||||
},
|
||||
{
|
||||
"fieldname": "column_break3",
|
||||
"fieldtype": "Column Break",
|
||||
"permlevel": 0,
|
||||
"fieldname": "column_break3",
|
||||
"fieldtype": "Column Break",
|
||||
"permlevel": 0,
|
||||
"read_only": 0
|
||||
},
|
||||
},
|
||||
{
|
||||
"description": "If more than one package of the same type (for print)",
|
||||
"fieldname": "to_case_no",
|
||||
"fieldtype": "Data",
|
||||
"in_list_view": 1,
|
||||
"label": "To Package No.",
|
||||
"no_copy": 1,
|
||||
"permlevel": 0,
|
||||
"read_only": 0,
|
||||
"description": "If more than one package of the same type (for print)",
|
||||
"fieldname": "to_case_no",
|
||||
"fieldtype": "Data",
|
||||
"in_list_view": 1,
|
||||
"label": "To Package No.",
|
||||
"no_copy": 1,
|
||||
"permlevel": 0,
|
||||
"read_only": 0,
|
||||
"width": "50px"
|
||||
},
|
||||
},
|
||||
{
|
||||
"fieldname": "package_item_details",
|
||||
"fieldtype": "Section Break",
|
||||
"label": "Package Item Details",
|
||||
"permlevel": 0,
|
||||
"fieldname": "package_item_details",
|
||||
"fieldtype": "Section Break",
|
||||
"label": "Package Item Details",
|
||||
"permlevel": 0,
|
||||
"read_only": 0
|
||||
},
|
||||
},
|
||||
{
|
||||
"fieldname": "get_items",
|
||||
"fieldtype": "Button",
|
||||
"label": "Get Items",
|
||||
"fieldname": "get_items",
|
||||
"fieldtype": "Button",
|
||||
"label": "Get Items",
|
||||
"permlevel": 0
|
||||
},
|
||||
},
|
||||
{
|
||||
"fieldname": "item_details",
|
||||
"fieldtype": "Table",
|
||||
"label": "Items",
|
||||
"options": "Packing Slip Item",
|
||||
"permlevel": 0,
|
||||
"fieldname": "item_details",
|
||||
"fieldtype": "Table",
|
||||
"label": "Items",
|
||||
"options": "Packing Slip Item",
|
||||
"permlevel": 0,
|
||||
"read_only": 0
|
||||
},
|
||||
},
|
||||
{
|
||||
"fieldname": "package_weight_details",
|
||||
"fieldtype": "Section Break",
|
||||
"label": "Package Weight Details",
|
||||
"permlevel": 0,
|
||||
"fieldname": "package_weight_details",
|
||||
"fieldtype": "Section Break",
|
||||
"label": "Package Weight Details",
|
||||
"permlevel": 0,
|
||||
"read_only": 0
|
||||
},
|
||||
},
|
||||
{
|
||||
"description": "The net weight of this package. (calculated automatically as sum of net weight of items)",
|
||||
"fieldname": "net_weight_pkg",
|
||||
"fieldtype": "Float",
|
||||
"label": "Net Weight",
|
||||
"no_copy": 1,
|
||||
"permlevel": 0,
|
||||
"description": "The net weight of this package. (calculated automatically as sum of net weight of items)",
|
||||
"fieldname": "net_weight_pkg",
|
||||
"fieldtype": "Float",
|
||||
"label": "Net Weight",
|
||||
"no_copy": 1,
|
||||
"permlevel": 0,
|
||||
"read_only": 1
|
||||
},
|
||||
},
|
||||
{
|
||||
"fieldname": "net_weight_uom",
|
||||
"fieldtype": "Link",
|
||||
"label": "Net Weight UOM",
|
||||
"no_copy": 1,
|
||||
"options": "UOM",
|
||||
"permlevel": 0,
|
||||
"fieldname": "net_weight_uom",
|
||||
"fieldtype": "Link",
|
||||
"label": "Net Weight UOM",
|
||||
"no_copy": 1,
|
||||
"options": "UOM",
|
||||
"permlevel": 0,
|
||||
"read_only": 1
|
||||
},
|
||||
},
|
||||
{
|
||||
"fieldname": "column_break4",
|
||||
"fieldtype": "Column Break",
|
||||
"permlevel": 0,
|
||||
"fieldname": "column_break4",
|
||||
"fieldtype": "Column Break",
|
||||
"permlevel": 0,
|
||||
"read_only": 0
|
||||
},
|
||||
},
|
||||
{
|
||||
"description": "The gross weight of the package. Usually net weight + packaging material weight. (for print)",
|
||||
"fieldname": "gross_weight_pkg",
|
||||
"fieldtype": "Float",
|
||||
"label": "Gross Weight",
|
||||
"no_copy": 1,
|
||||
"permlevel": 0,
|
||||
"description": "The gross weight of the package. Usually net weight + packaging material weight. (for print)",
|
||||
"fieldname": "gross_weight_pkg",
|
||||
"fieldtype": "Float",
|
||||
"label": "Gross Weight",
|
||||
"no_copy": 1,
|
||||
"permlevel": 0,
|
||||
"read_only": 0
|
||||
},
|
||||
},
|
||||
{
|
||||
"fieldname": "gross_weight_uom",
|
||||
"fieldtype": "Link",
|
||||
"label": "Gross Weight UOM",
|
||||
"no_copy": 1,
|
||||
"options": "UOM",
|
||||
"permlevel": 0,
|
||||
"fieldname": "gross_weight_uom",
|
||||
"fieldtype": "Link",
|
||||
"label": "Gross Weight UOM",
|
||||
"no_copy": 1,
|
||||
"options": "UOM",
|
||||
"permlevel": 0,
|
||||
"read_only": 0
|
||||
},
|
||||
},
|
||||
{
|
||||
"fieldname": "misc_details",
|
||||
"fieldtype": "Section Break",
|
||||
"label": "Misc Details",
|
||||
"permlevel": 0,
|
||||
"fieldname": "letter_head_details",
|
||||
"fieldtype": "Section Break",
|
||||
"label": "Letter Head",
|
||||
"permlevel": 0,
|
||||
"precision": ""
|
||||
},
|
||||
{
|
||||
"allow_on_submit": 1,
|
||||
"fieldname": "letter_head",
|
||||
"fieldtype": "Link",
|
||||
"label": "Letter Head",
|
||||
"options": "Letter Head",
|
||||
"permlevel": 0,
|
||||
"precision": "",
|
||||
"print_hide": 1
|
||||
},
|
||||
{
|
||||
"fieldname": "misc_details",
|
||||
"fieldtype": "Section Break",
|
||||
"label": "Misc Details",
|
||||
"permlevel": 0,
|
||||
"read_only": 0
|
||||
},
|
||||
},
|
||||
{
|
||||
"fieldname": "amended_from",
|
||||
"fieldtype": "Link",
|
||||
"ignore_user_permissions": 1,
|
||||
"label": "Amended From",
|
||||
"no_copy": 1,
|
||||
"options": "Packing Slip",
|
||||
"permlevel": 0,
|
||||
"print_hide": 1,
|
||||
"fieldname": "amended_from",
|
||||
"fieldtype": "Link",
|
||||
"ignore_user_permissions": 1,
|
||||
"label": "Amended From",
|
||||
"no_copy": 1,
|
||||
"options": "Packing Slip",
|
||||
"permlevel": 0,
|
||||
"print_hide": 1,
|
||||
"read_only": 1
|
||||
}
|
||||
],
|
||||
"icon": "icon-suitcase",
|
||||
"idx": 1,
|
||||
"is_submittable": 1,
|
||||
"modified": "2014-05-27 03:49:14.251039",
|
||||
"modified_by": "Administrator",
|
||||
"module": "Stock",
|
||||
"name": "Packing Slip",
|
||||
"owner": "Administrator",
|
||||
],
|
||||
"icon": "icon-suitcase",
|
||||
"idx": 1,
|
||||
"is_submittable": 1,
|
||||
"modified": "2014-11-13 16:50:50.423299",
|
||||
"modified_by": "Administrator",
|
||||
"module": "Stock",
|
||||
"name": "Packing Slip",
|
||||
"owner": "Administrator",
|
||||
"permissions": [
|
||||
{
|
||||
"amend": 1,
|
||||
"apply_user_permissions": 1,
|
||||
"cancel": 1,
|
||||
"create": 1,
|
||||
"delete": 1,
|
||||
"email": 1,
|
||||
"permlevel": 0,
|
||||
"print": 1,
|
||||
"read": 1,
|
||||
"report": 1,
|
||||
"role": "Material User",
|
||||
"submit": 1,
|
||||
"amend": 1,
|
||||
"apply_user_permissions": 1,
|
||||
"cancel": 1,
|
||||
"create": 1,
|
||||
"delete": 1,
|
||||
"email": 1,
|
||||
"permlevel": 0,
|
||||
"print": 1,
|
||||
"read": 1,
|
||||
"report": 1,
|
||||
"role": "Material User",
|
||||
"submit": 1,
|
||||
"write": 1
|
||||
},
|
||||
},
|
||||
{
|
||||
"amend": 1,
|
||||
"apply_user_permissions": 1,
|
||||
"cancel": 1,
|
||||
"create": 1,
|
||||
"delete": 1,
|
||||
"email": 1,
|
||||
"permlevel": 0,
|
||||
"print": 1,
|
||||
"read": 1,
|
||||
"report": 1,
|
||||
"role": "Sales User",
|
||||
"submit": 1,
|
||||
"amend": 1,
|
||||
"apply_user_permissions": 1,
|
||||
"cancel": 1,
|
||||
"create": 1,
|
||||
"delete": 1,
|
||||
"email": 1,
|
||||
"permlevel": 0,
|
||||
"print": 1,
|
||||
"read": 1,
|
||||
"report": 1,
|
||||
"role": "Sales User",
|
||||
"submit": 1,
|
||||
"write": 1
|
||||
},
|
||||
},
|
||||
{
|
||||
"amend": 1,
|
||||
"cancel": 1,
|
||||
"create": 1,
|
||||
"delete": 1,
|
||||
"email": 1,
|
||||
"permlevel": 0,
|
||||
"print": 1,
|
||||
"read": 1,
|
||||
"report": 1,
|
||||
"role": "Material Master Manager",
|
||||
"submit": 1,
|
||||
"amend": 1,
|
||||
"cancel": 1,
|
||||
"create": 1,
|
||||
"delete": 1,
|
||||
"email": 1,
|
||||
"permlevel": 0,
|
||||
"print": 1,
|
||||
"read": 1,
|
||||
"report": 1,
|
||||
"role": "Material Master Manager",
|
||||
"submit": 1,
|
||||
"write": 1
|
||||
},
|
||||
},
|
||||
{
|
||||
"amend": 1,
|
||||
"cancel": 1,
|
||||
"create": 1,
|
||||
"delete": 1,
|
||||
"email": 1,
|
||||
"permlevel": 0,
|
||||
"print": 1,
|
||||
"read": 1,
|
||||
"report": 1,
|
||||
"role": "Material Manager",
|
||||
"submit": 1,
|
||||
"amend": 1,
|
||||
"cancel": 1,
|
||||
"create": 1,
|
||||
"delete": 1,
|
||||
"email": 1,
|
||||
"permlevel": 0,
|
||||
"print": 1,
|
||||
"read": 1,
|
||||
"report": 1,
|
||||
"role": "Material Manager",
|
||||
"submit": 1,
|
||||
"write": 1
|
||||
},
|
||||
},
|
||||
{
|
||||
"amend": 1,
|
||||
"cancel": 1,
|
||||
"create": 1,
|
||||
"delete": 1,
|
||||
"email": 1,
|
||||
"permlevel": 0,
|
||||
"print": 1,
|
||||
"read": 1,
|
||||
"report": 1,
|
||||
"role": "Sales Manager",
|
||||
"submit": 1,
|
||||
"amend": 1,
|
||||
"cancel": 1,
|
||||
"create": 1,
|
||||
"delete": 1,
|
||||
"email": 1,
|
||||
"permlevel": 0,
|
||||
"print": 1,
|
||||
"read": 1,
|
||||
"report": 1,
|
||||
"role": "Sales Manager",
|
||||
"submit": 1,
|
||||
"write": 1
|
||||
}
|
||||
],
|
||||
"read_only_onload": 1,
|
||||
],
|
||||
"read_only_onload": 1,
|
||||
"search_fields": "delivery_note"
|
||||
}
|
||||
}
|
@ -250,8 +250,9 @@ def update_serial_nos(sle, item_det):
|
||||
from frappe.model.naming import make_autoname
|
||||
serial_nos = []
|
||||
for i in xrange(cint(sle.actual_qty)):
|
||||
serial_nos.append(make_autoname(item_det.serial_no_series))
|
||||
serial_nos.append(make_autoname(item_det.serial_no_series, "Serial No"))
|
||||
frappe.db.set(sle, "serial_no", "\n".join(serial_nos))
|
||||
validate_serial_no(sle, item_det)
|
||||
|
||||
if sle.serial_no:
|
||||
serial_nos = get_serial_nos(sle.serial_no)
|
||||
|
@ -253,8 +253,8 @@ Approving Role,الموافقة على دور
|
||||
Approving Role cannot be same as role the rule is Applicable To,الموافقة دور لا يمكن أن يكون نفس دور القاعدة تنطبق على
|
||||
Approving User,الموافقة العضو
|
||||
Approving User cannot be same as user the rule is Applicable To,الموافقة العضو لا يمكن أن يكون نفس المستخدم القاعدة تنطبق على
|
||||
Are you sure you want to STOP ,
|
||||
Are you sure you want to UNSTOP ,
|
||||
Are you sure you want to STOP ,Are you sure you want to STOP
|
||||
Are you sure you want to UNSTOP ,Are you sure you want to UNSTOP
|
||||
Arrear Amount,متأخرات المبلغ
|
||||
"As Production Order can be made for this item, it must be a stock item.",كما يمكن أن يتم ترتيب الإنتاج لهذا البند، يجب أن يكون بند الأوراق المالية .
|
||||
As per Stock UOM,وفقا للأوراق UOM
|
||||
@ -283,7 +283,7 @@ Auto Accounting For Stock Settings,السيارات المحاسبة المال
|
||||
Auto Material Request,السيارات مادة طلب
|
||||
Auto-raise Material Request if quantity goes below re-order level in a warehouse,لصناعة السيارات في رفع طلب المواد إذا كمية يذهب دون مستوى إعادة الطلب في مستودع
|
||||
Automatically compose message on submission of transactions.,يؤلف تلقائيا رسالة على تقديم المعاملات.
|
||||
Automatically extract Job Applicants from a mail box ,
|
||||
Automatically extract Job Applicants from a mail box ,Automatically extract Job Applicants from a mail box
|
||||
Automatically extract Leads from a mail box e.g.,استخراج الشراء تلقائيا من صندوق البريد على سبيل المثال
|
||||
Automatically updated via Stock Entry of type Manufacture/Repack,تحديثها تلقائيا عن طريق إدخال الأسهم الصنع نوع / أعد حزم
|
||||
Automotive,السيارات
|
||||
@ -510,7 +510,7 @@ Clearance Date,إزالة التاريخ
|
||||
Clearance Date not mentioned,إزالة التاريخ لم يرد ذكرها
|
||||
Clearance date cannot be before check date in row {0},تاريخ التخليص لا يمكن أن يكون قبل تاريخ الاختيار في الصف {0}
|
||||
Click on 'Make Sales Invoice' button to create a new Sales Invoice.,انقر على 'جعل مبيعات الفاتورة "الزر لإنشاء فاتورة مبيعات جديدة.
|
||||
Click on a link to get options to expand get options ,
|
||||
Click on a link to get options to expand get options ,Click on a link to get options to expand get options
|
||||
Client,عميل
|
||||
Close Balance Sheet and book Profit or Loss.,وثيقة الميزانية العمومية و كتاب الربح أو الخسارة .
|
||||
Closed,مغلق
|
||||
@ -840,13 +840,13 @@ Distributor,موزع
|
||||
Divorced,المطلقات
|
||||
Do Not Contact,عدم الاتصال
|
||||
Do not show any symbol like $ etc next to currencies.,لا تظهر أي رمز مثل $ الخ بجانب العملات.
|
||||
Do really want to unstop production order: ,
|
||||
Do you really want to STOP ,
|
||||
Do really want to unstop production order: ,Do really want to unstop production order:
|
||||
Do you really want to STOP ,Do you really want to STOP
|
||||
Do you really want to STOP this Material Request?,هل تريد حقا لوقف هذا طلب المواد ؟
|
||||
Do you really want to Submit all Salary Slip for month {0} and year {1},هل تريد حقا لتقديم كل زلة الرواتب ل شهر {0} و السنة {1}
|
||||
Do you really want to UNSTOP ,
|
||||
Do you really want to UNSTOP ,Do you really want to UNSTOP
|
||||
Do you really want to UNSTOP this Material Request?,هل تريد حقا أن نزع السدادة هذا طلب المواد ؟
|
||||
Do you really want to stop production order: ,
|
||||
Do you really want to stop production order: ,Do you really want to stop production order:
|
||||
Doc Name,اسم الوثيقة
|
||||
Doc Type,نوع الوثيقة
|
||||
Document Description,وصف الوثيقة
|
||||
@ -898,7 +898,7 @@ Electronics,إلكترونيات
|
||||
Email,البريد الإلكتروني
|
||||
Email Digest,البريد الإلكتروني دايجست
|
||||
Email Digest Settings,البريد الإلكتروني إعدادات دايجست
|
||||
Email Digest: ,
|
||||
Email Digest: ,Email Digest:
|
||||
Email Id,البريد الإلكتروني معرف
|
||||
"Email Id where a job applicant will email e.g. ""jobs@example.com""",معرف البريد الإلكتروني حيث طالب العمل سوف البريد الإلكتروني على سبيل المثال "jobs@example.com"
|
||||
Email Notifications,إشعارات البريد الإلكتروني
|
||||
@ -958,7 +958,7 @@ Enter url parameter for receiver nos,أدخل عنوان URL لمعلمة NOS ا
|
||||
Entertainment & Leisure,الترفيه وترفيهية
|
||||
Entertainment Expenses,مصاريف الترفيه
|
||||
Entries,مقالات
|
||||
Entries against ,
|
||||
Entries against ,Entries against
|
||||
Entries are not allowed against this Fiscal Year if the year is closed.,لا يسمح مقالات ضد السنة المالية الحالية إذا تم إغلاق السنة.
|
||||
Equity,إنصاف
|
||||
Error: {0} > {1},الخطأ: {0} > {1}
|
||||
@ -1573,7 +1573,7 @@ Maintenance Visit Purpose,صيانة زيارة الغرض
|
||||
Maintenance Visit {0} must be cancelled before cancelling this Sales Order,صيانة زيارة {0} يجب أن يتم إلغاء هذا الأمر قبل إلغاء المبيعات
|
||||
Maintenance start date can not be before delivery date for Serial No {0},صيانة تاريخ بداية لا يمكن أن يكون قبل تاريخ التسليم لل رقم المسلسل {0}
|
||||
Major/Optional Subjects,الرئيسية / اختياري الموضوعات
|
||||
Make ,
|
||||
Make ,Make
|
||||
Make Accounting Entry For Every Stock Movement,جعل الدخول المحاسبة للحصول على كل حركة الأسهم
|
||||
Make Bank Voucher,جعل قسيمة البنك
|
||||
Make Credit Note,جعل الائتمان ملاحظة
|
||||
@ -1722,7 +1722,7 @@ Net Weight UOM,الوزن الصافي UOM
|
||||
Net Weight of each Item,الوزن الصافي لكل بند
|
||||
Net pay cannot be negative,صافي الأجور لا يمكن أن تكون سلبية
|
||||
Never,أبدا
|
||||
New ,
|
||||
New ,New
|
||||
New Account,حساب جديد
|
||||
New Account Name,اسم الحساب الجديد
|
||||
New BOM,BOM جديدة
|
||||
@ -2448,7 +2448,7 @@ Rounded Off,تقريبها
|
||||
Rounded Total,تقريب إجمالي
|
||||
Rounded Total (Company Currency),المشاركات تقريب (العملة الشركة)
|
||||
Row # ,الصف #
|
||||
Row # {0}: ,
|
||||
Row # {0}: ,Row # {0}:
|
||||
Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,الصف # {0}: الكمية المطلوبة لا يمكن أن أقل من الحد الأدنى الكمية النظام القطعة (المحددة في البند الرئيسي).
|
||||
Row #{0}: Please specify Serial No for Item {1},الصف # {0}: يرجى تحديد رقم التسلسلي للتاريخ {1}
|
||||
Row {0}: Account does not match with \ Purchase Invoice Credit To account,الصف {0}: الحساب لا يتطابق مع \ شراء فاتورة الائتمان لحساب
|
||||
@ -2750,7 +2750,7 @@ Stock Ageing,الأسهم شيخوخة
|
||||
Stock Analytics,الأسهم تحليلات
|
||||
Stock Assets,الموجودات الأسهم
|
||||
Stock Balance,الأسهم الرصيد
|
||||
Stock Entries already created for Production Order ,
|
||||
Stock Entries already created for Production Order ,Stock Entries already created for Production Order
|
||||
Stock Entry,الأسهم الدخول
|
||||
Stock Entry Detail,الأسهم إدخال التفاصيل
|
||||
Stock Expenses,مصاريف الأسهم
|
||||
|
|
File diff suppressed because it is too large
Load Diff
@ -36,20 +36,20 @@
|
||||
"<h4>Default Template</h4><p>Uses <a href=""http://jinja.pocoo.org/docs/templates/"">Jinja Templating</a> and all the fields of Address (including Custom Fields if any) will be available</p><pre><code>{{ address_line1 }}<br>{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}{{ city }}<br>{% if state %}{{ state }}<br>{% endif -%}{% if pincode %} PIN: {{ pincode }}<br>{% endif -%}{{ country }}<br>{% if phone %}Phone: {{ phone }}<br>{% endif -%}{% if fax %}Fax: {{ fax }}<br>{% endif -%}{% if email_id %}Email: {{ email_id }}<br>{% endif -%}</code></pre>","<h4> Προεπιλογή Πρότυπο </ h4> <p> Χρήσεις <a href=""http://jinja.pocoo.org/docs/templates/""> Jinja Templating </ a> και όλα τα πεδία της Διεύθυνσης ( συμπεριλαμβανομένων των προσαρμοσμένων πεδίων, αν υπάρχουν) θα είναι διαθέσιμο </ p> <pre> <code> {{}} address_line1 <br> {% εάν address_line2%} {{}} address_line2 <br> { endif% -%} {{}} πόλη <br> {% αν το κράτος%} {{}} κατάσταση <br> {endif% -%} {% εάν pincode%} PIN: {{}} pincode <br> {endif% -%} {{}} χώρα <br> {% αν το τηλέφωνο%} Τηλέφωνο: {{}} τηλέφωνο <br> { endif% -%} {% εάν φαξ%} Fax: {{}} fax <br> {endif% -%} {% εάν email_id%} Email: {{}} email_id <br> ? {endif% -%} </ code> </ pre>"
|
||||
A Customer Group exists with same name please change the Customer name or rename the Customer Group,Μια ομάδα πελατών υπάρχει με το ίδιο όνομα παρακαλούμε να αλλάξετε το όνομα του Πελάτη ή να μετονομάσετε την ομάδα πελατών
|
||||
A Customer exists with same name,Ένας πελάτης υπάρχει με το ίδιο όνομα
|
||||
A Lead with this email id should exist,Μια μολύβδου με αυτή την ταυτότητα ηλεκτρονικού ταχυδρομείου θα πρέπει να υπάρχει
|
||||
A Lead with this email id should exist,Μια επαφή με αυτή τη διεύθυνση ηλεκτρονικού ταχυδρομείου θα πρέπει να υπάρχει
|
||||
A Product or Service,Ένα Προϊόν ή Υπηρεσία
|
||||
A Supplier exists with same name,Ένας προμηθευτής υπάρχει με το ίδιο όνομα
|
||||
A symbol for this currency. For e.g. $,Ένα σύμβολο για το νόμισμα αυτό. Για παράδειγμα $
|
||||
AMC Expiry Date,AMC Ημερομηνία Λήξης
|
||||
Abbr,Συντ.
|
||||
Abbreviation cannot have more than 5 characters,Μια συντομογραφία δεν μπορεί να έχει περισσότερα από 5 χαρακτήρες
|
||||
Abbreviation cannot have more than 5 characters,Μια συντομογραφία δεν μπορεί να έχει περισσότερους από 5 χαρακτήρες
|
||||
Above Value,Πάνω Value
|
||||
Absent,Απών
|
||||
Acceptance Criteria,Κριτήρια αποδοχής
|
||||
Acceptance Criteria,Αποδοχή κριτήρίων
|
||||
Accepted,Δεκτός
|
||||
Accepted + Rejected Qty must be equal to Received quantity for Item {0},Αποδεκτές + Απορρίπτεται Ποσότητα πρέπει να είναι ίση με Ελήφθη ποσότητα για τη θέση {0}
|
||||
Accepted Quantity,ΠΟΣΟΤΗΤΑ
|
||||
Accepted Warehouse,Αποδεκτές αποθήκη
|
||||
Accepted + Rejected Qty must be equal to Received quantity for Item {0},Η Αποδεκτή + η Απορριπτέα ποσότητα πρέπει να είναι ίση με ληφθήσα ποσότητα για τη θέση {0}
|
||||
Accepted Quantity,Αποδεκτή ποσότητα
|
||||
Accepted Warehouse,Αποδεκτή Aποθήκη
|
||||
Account,Λογαριασμός
|
||||
Account Balance,Υπόλοιπο Λογαριασμού
|
||||
Account Created: {0},Ο λογαριασμός δημιουργήθηκε : {0}
|
||||
@ -57,8 +57,8 @@ Account Details,Στοιχεία Λογαριασμού
|
||||
Account Head,Επικεφαλής λογαριασμού
|
||||
Account Name,Όνομα λογαριασμού
|
||||
Account Type,Είδος Λογαριασμού
|
||||
"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Το υπόλοιπο του λογαριασμού ήδη Credit, δεν σας επιτρέπεται να θέσει «Υπόλοιπο Must Be» ως «χρεωστικές»"
|
||||
"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Το υπόλοιπο του λογαριασμού ήδη Debit, δεν μπορείτε να ρυθμίσετε το 'Υπόλοιπο Must Be »ως« Δάνειο »"
|
||||
"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Το υπόλοιπο του λογαριασμού είναι ήδη πιστωτικό, δεν επιτρέπεται να ρυθμίσετε το «Υπόλοιπο πρέπει να είναι χρεωστικό»"
|
||||
"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Το υπόλοιπο του λογαριασμού ήδη χρεωστικό, δεν μπορείτε να ρυθμίσετε το 'Υπόλοιπο πρέπει να είναι ως Δάνειο »"
|
||||
Account for the warehouse (Perpetual Inventory) will be created under this Account.,Λογαριασμός για την αποθήκη ( Perpetual Απογραφή ) θα δημιουργηθεί στο πλαίσιο του παρόντος λογαριασμού.
|
||||
Account head {0} created,Κεφάλι Λογαριασμός {0} δημιουργήθηκε
|
||||
Account must be a balance sheet account,Ο λογαριασμός πρέπει να είναι λογαριασμός του ισολογισμού
|
||||
@ -214,8 +214,8 @@ Amended From,Τροποποίηση Από
|
||||
Amount,Ποσό
|
||||
Amount (Company Currency),Ποσό (νόμισμα της Εταιρείας)
|
||||
Amount Paid,Ποσό Αμειβόμενος
|
||||
Amount to Bill,Ανέρχονται σε Bill
|
||||
An Customer exists with same name,Υπάρχει ένα πελάτη με το ίδιο όνομα
|
||||
Amount to Bill,Χρεώσιμο Ποσό
|
||||
An Customer exists with same name,Υπάρχει πελάτης με το ίδιο όνομα
|
||||
"An Item Group exists with same name, please change the item name or rename the item group","Ένα σημείο της ομάδας υπάρχει με το ίδιο όνομα , μπορείτε να αλλάξετε το όνομα του στοιχείου ή να μετονομάσετε την ομάδα στοιχείου"
|
||||
"An item exists with same name ({0}), please change the item group name or rename the item","Ένα στοιχείο υπάρχει με το ίδιο όνομα ( {0} ) , παρακαλούμε να αλλάξετε το όνομα της ομάδας στοιχείου ή να μετονομάσετε το στοιχείο"
|
||||
Analyst,αναλυτής
|
||||
@ -254,14 +254,14 @@ Approving Role,Έγκριση Ρόλος
|
||||
Approving Role cannot be same as role the rule is Applicable To,"Έγκριση ρόλος δεν μπορεί να είναι ίδιο με το ρόλο , ο κανόνας είναι να εφαρμόζεται"
|
||||
Approving User,Έγκριση χρήστη
|
||||
Approving User cannot be same as user the rule is Applicable To,Την έγκριση του χρήστη δεν μπορεί να είναι ίδιο με το χρήστη ο κανόνας ισχύει για
|
||||
Are you sure you want to STOP ,
|
||||
Are you sure you want to UNSTOP ,
|
||||
Are you sure you want to STOP ,Είσαστε σίγουροι πως θέλετε να σταματήσετε
|
||||
Are you sure you want to UNSTOP ,Are you sure you want to UNSTOP
|
||||
Arrear Amount,Καθυστερήσεις Ποσό
|
||||
"As Production Order can be made for this item, it must be a stock item.","Όπως μπορεί να γίνει Παραγωγής παραγγελίας για το συγκεκριμένο προϊόν , θα πρέπει να είναι ένα στοιχείο υλικού."
|
||||
As per Stock UOM,Όπως ανά Διαθέσιμο UOM
|
||||
"As there are existing stock transactions for this item, you can not change the values of 'Has Serial No', 'Is Stock Item' and 'Valuation Method'","Δεδομένου ότι υπάρχουν χρηματιστηριακές συναλλαγές για αυτό το στοιχείο , δεν μπορείτε να αλλάξετε τις τιμές των « Έχει Αύξων αριθμός », « Είναι Stock σημείο » και « Μέθοδος αποτίμησης»"
|
||||
Asset,προσόν
|
||||
Assistant,βοηθός
|
||||
Assistant,Βοηθός
|
||||
Associate,Συνεργάτης
|
||||
Atleast one of the Selling or Buying must be selected,Πρέπει να επιλεγεί τουλάχιστον μία από τις πωλήσεις ή την αγορά
|
||||
Atleast one warehouse is mandatory,"Τουλάχιστον, μια αποθήκη είναι υποχρεωτική"
|
||||
@ -270,27 +270,27 @@ Attach Letterhead,Συνδέστε επιστολόχαρτο
|
||||
Attach Logo,Συνδέστε Logo
|
||||
Attach Your Picture,Προσαρμόστε την εικόνα σας
|
||||
Attendance,Παρουσία
|
||||
Attendance Date,Ημερομηνία Συμμετοχή
|
||||
Attendance Details,Λεπτομέρειες Συμμετοχή
|
||||
Attendance Date,Ημερομηνία Συμμετοχής
|
||||
Attendance Details,Λεπτομέρειες Συμμετοχής
|
||||
Attendance From Date,Συμμετοχή Από Ημερομηνία
|
||||
Attendance From Date and Attendance To Date is mandatory,Συμμετοχή Από Ημερομηνία και φοίτηση μέχρι σήμερα είναι υποχρεωτική
|
||||
Attendance To Date,Συμμετοχή σε Ημερομηνία
|
||||
Attendance From Date and Attendance To Date is mandatory,Η συμμετοχή Από και Μέχρι είναι υποχρεωτική
|
||||
Attendance To Date,Προσέλευση μέχρι Ημερομηνία
|
||||
Attendance can not be marked for future dates,Συμμετοχή δεν μπορεί να επιλεγεί για τις μελλοντικές ημερομηνίες
|
||||
Attendance for employee {0} is already marked,Συμμετοχή των εργαζομένων για {0} έχει ήδη σημειώνονται
|
||||
Attendance record.,Ρεκόρ προσέλευσης.
|
||||
Authorization Control,Έλεγχος της χορήγησης αδειών
|
||||
Authorization Rule,Κανόνας Εξουσιοδότηση
|
||||
Attendance for employee {0} is already marked,Συμμετοχή για εργαζομένο {0} έχει ήδη σημειώθει
|
||||
Attendance record.,Καταχωρήσεις Προσέλευσης.
|
||||
Authorization Control,Έλεγχος Εξουσιοδότησης
|
||||
Authorization Rule,Κανόνας Εξουσιοδότησης
|
||||
Auto Accounting For Stock Settings,Auto Λογιστικά Για Ρυθμίσεις Χρηματιστήριο
|
||||
Auto Material Request,Αυτόματη Αίτηση Υλικό
|
||||
Auto-raise Material Request if quantity goes below re-order level in a warehouse,Auto-raise Αίτηση Υλικό εάν η ποσότητα πέσει κάτω εκ νέου για το επίπεδο σε μια αποθήκη
|
||||
Automatically compose message on submission of transactions.,Αυτόματη συνθέτουν το μήνυμα για την υποβολή των συναλλαγών .
|
||||
Automatically extract Job Applicants from a mail box ,
|
||||
Automatically extract Job Applicants from a mail box ,Automatically extract Job Applicants from a mail box
|
||||
Automatically extract Leads from a mail box e.g.,"Αυτόματη εξαγωγή οδηγεί από ένα κουτί αλληλογραφίας , π.χ."
|
||||
Automatically updated via Stock Entry of type Manufacture/Repack,Αυτόματη ενημέρωση μέσω είσοδο στα αποθέματα Κατασκευή Τύπος / Repack
|
||||
Automotive,Αυτοκίνητο
|
||||
Autoreply when a new mail is received,Autoreply όταν λαμβάνονται νέα μηνύματα
|
||||
Available,Διαθέσιμος
|
||||
Available Qty at Warehouse,Διαθέσιμο Ποσότητα σε αποθήκη
|
||||
Available Qty at Warehouse,Διαθέσιμο Ποσότητα στην Αποθήκη
|
||||
Available Stock for Packing Items,Διαθέσιμο Διαθέσιμο για είδη συσκευασίας
|
||||
"Available in BOM, Delivery Note, Purchase Invoice, Production Order, Purchase Order, Purchase Receipt, Sales Invoice, Sales Order, Stock Entry, Timesheet","Διατίθεται σε BOM , Δελτίο Αποστολής , Τιμολόγιο Αγοράς , Παραγωγής Τάξης, Παραγγελία Αγοράς, Αγορά Παραλαβή , Πωλήσεις Τιμολόγιο , Πωλήσεις Τάξης , Stock Έναρξη , φύλλο κατανομής χρόνου"
|
||||
Average Age,Μέσος όρος ηλικίας
|
||||
@ -511,7 +511,7 @@ Clearance Date,Ημερομηνία Εκκαθάριση
|
||||
Clearance Date not mentioned,Εκκαθάριση Ημερομηνία που δεν αναφέρονται
|
||||
Clearance date cannot be before check date in row {0},Ημερομηνία εκκαθάρισης δεν μπορεί να είναι πριν από την ημερομηνία άφιξης στη γραμμή {0}
|
||||
Click on 'Make Sales Invoice' button to create a new Sales Invoice.,Κάντε κλικ στο «Κάνε Πωλήσεις Τιμολόγιο» για να δημιουργηθεί μια νέα τιμολογίου πώλησης.
|
||||
Click on a link to get options to expand get options ,
|
||||
Click on a link to get options to expand get options ,Click on a link to get options to expand get options
|
||||
Client,Πελάτης
|
||||
Close Balance Sheet and book Profit or Loss.,Κλείσιμο Ισολογισμού και των Αποτελεσμάτων βιβλίο ή απώλεια .
|
||||
Closed,Κλειστό
|
||||
@ -841,13 +841,13 @@ Distributor,Διανομέας
|
||||
Divorced,Διαζευγμένος
|
||||
Do Not Contact,Μην Επικοινωνία
|
||||
Do not show any symbol like $ etc next to currencies.,Να μην εμφανίζεται κανένα σύμβολο όπως $ κλπ δίπλα σε νομίσματα.
|
||||
Do really want to unstop production order: ,
|
||||
Do you really want to STOP ,
|
||||
Do really want to unstop production order: ,Do really want to unstop production order:
|
||||
Do you really want to STOP ,Do you really want to STOP
|
||||
Do you really want to STOP this Material Request?,Θέλετε πραγματικά να σταματήσει αυτό το υλικό την Αίτηση Συμμετοχής;
|
||||
Do you really want to Submit all Salary Slip for month {0} and year {1},Θέλετε πραγματικά να υποβληθούν όλα τα Slip Μισθός για το μήνα {0} και {1 χρόνο }
|
||||
Do you really want to UNSTOP ,
|
||||
Do you really want to UNSTOP ,Do you really want to UNSTOP
|
||||
Do you really want to UNSTOP this Material Request?,Θέλετε πραγματικά να ξεβουλώνω αυτό Υλικό Αίτηση Συμμετοχής;
|
||||
Do you really want to stop production order: ,
|
||||
Do you really want to stop production order: ,Do you really want to stop production order:
|
||||
Doc Name,Doc Name
|
||||
Doc Type,Doc Τύπος
|
||||
Document Description,Περιγραφή εγγράφου
|
||||
@ -899,7 +899,7 @@ Electronics,ηλεκτρονική
|
||||
Email,Email
|
||||
Email Digest,Email Digest
|
||||
Email Digest Settings,Email Digest Ρυθμίσεις
|
||||
Email Digest: ,
|
||||
Email Digest: ,Email Digest:
|
||||
Email Id,Id Email
|
||||
"Email Id where a job applicant will email e.g. ""jobs@example.com""","Email Id, όπου ένας υποψήφιος θα e-mail π.χ. "jobs@example.com""
|
||||
Email Notifications,Ειδοποιήσεις μέσω ηλεκτρονικού ταχυδρομείου
|
||||
@ -959,7 +959,7 @@ Enter url parameter for receiver nos,Εισάγετε παράμετρο url γ
|
||||
Entertainment & Leisure,Διασκέδαση & Leisure
|
||||
Entertainment Expenses,Έξοδα Ψυχαγωγία
|
||||
Entries,Καταχωρήσεις
|
||||
Entries against ,
|
||||
Entries against ,Entries against
|
||||
Entries are not allowed against this Fiscal Year if the year is closed.,"Οι συμμετοχές δεν επιτρέπεται κατά το τρέχον οικονομικό έτος, εάν το έτος είναι κλειστή."
|
||||
Equity,δικαιοσύνη
|
||||
Error: {0} > {1},Σφάλμα : {0} > {1}
|
||||
@ -1480,18 +1480,18 @@ Language,Γλώσσα
|
||||
Last Name,Επώνυμο
|
||||
Last Purchase Rate,Τελευταία Τιμή Αγοράς
|
||||
Latest,αργότερο
|
||||
Lead,Μόλυβδος
|
||||
Lead Details,Μόλυβδος Λεπτομέρειες
|
||||
Lead Id,Μόλυβδος Id
|
||||
Lead Name,Μόλυβδος Name
|
||||
Lead Owner,Μόλυβδος Ιδιοκτήτης
|
||||
Lead Source,Μόλυβδος Πηγή
|
||||
Lead Status,Lead Κατάσταση
|
||||
Lead Time Date,Μόλυβδος Ημερομηνία Ώρα
|
||||
Lead Time Days,Μόλυβδος Ημέρες Ώρα
|
||||
Lead Time days is number of days by which this item is expected in your warehouse. This days is fetched in Material Request when you select this item.,"Μόλυβδος μέρες είναι ο αριθμός των ημερών κατά τον οποίο το στοιχείο αυτό αναμένεται στην αποθήκη σας. Αυτό μέρες είναι παρατραβηγμένο σε αίτημα αφορά υλικό, όταν επιλέξετε αυτό το στοιχείο."
|
||||
Lead Type,Μόλυβδος Τύπος
|
||||
Lead must be set if Opportunity is made from Lead,Ο μόλυβδος πρέπει να οριστεί αν Ευκαιρία είναι κατασκευασμένο από μόλυβδο
|
||||
Lead,Επαφή
|
||||
Lead Details,Λεπτομέρειες Επαφής
|
||||
Lead Id,Id Επαφής
|
||||
Lead Name,Όνομα Επαφής
|
||||
Lead Owner,Ιδιοκτήτης Επαφής
|
||||
Lead Source,Από που προήρθε η Επαφή
|
||||
Lead Status,Κατάσταση Επαφής
|
||||
Lead Time Date,Ημερομηνία Ώρα Επαφής
|
||||
Lead Time Days,Ημέρα Ώρα Επαφής
|
||||
Lead Time days is number of days by which this item is expected in your warehouse. This days is fetched in Material Request when you select this item.,"Ο χρόνος παράδοσης σε ημέρες είναι ο αριθμός των ημερών κατά τον οποίο το στοιχείο αυτό αναμένεται στην αποθήκη σας. Αυτές οι μέρες αναφέρεται σε αίτημα που αφορά υλικό, όταν επιλέξετε αυτό το στοιχείο."
|
||||
Lead Type,Τύπος Επαφής
|
||||
Lead must be set if Opportunity is made from Lead,Η Επαφή πρέπει να οριστεί αν η Ευκαιρία προέρχεται από επαφή
|
||||
Leave Allocation,Αφήστε Κατανομή
|
||||
Leave Allocation Tool,Αφήστε το εργαλείο Κατανομή
|
||||
Leave Application,Αφήστε Εφαρμογή
|
||||
@ -1574,7 +1574,7 @@ Maintenance Visit Purpose,Σκοπός Συντήρηση Επίσκεψη
|
||||
Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Συντήρηση Επίσκεψη {0} πρέπει να ακυρωθεί πριν από την ακύρωση αυτής της παραγγελίας πώλησης
|
||||
Maintenance start date can not be before delivery date for Serial No {0},Ημερομηνία έναρξης συντήρησης δεν μπορεί να είναι πριν από την ημερομηνία παράδοσης Αύξων αριθμός {0}
|
||||
Major/Optional Subjects,Σημαντικές / προαιρετικά μαθήματα
|
||||
Make ,
|
||||
Make ,Make
|
||||
Make Accounting Entry For Every Stock Movement,Κάντε Λογιστική καταχώρηση για κάθε Κίνημα Χρηματιστήριο
|
||||
Make Bank Voucher,Κάντε Voucher Bank
|
||||
Make Credit Note,Κάντε Πιστωτικό Σημείωμα
|
||||
@ -1723,7 +1723,7 @@ Net Weight UOM,Καθαρό Βάρος UOM
|
||||
Net Weight of each Item,Καθαρό βάρος κάθε είδους
|
||||
Net pay cannot be negative,Καθαρή αμοιβή δεν μπορεί να είναι αρνητική
|
||||
Never,Ποτέ
|
||||
New ,
|
||||
New ,New
|
||||
New Account,Νέος λογαριασμός
|
||||
New Account Name,Νέο Όνομα λογαριασμού
|
||||
New BOM,Νέα BOM
|
||||
@ -2449,7 +2449,7 @@ Rounded Off,στρογγυλοποιηθεί
|
||||
Rounded Total,Στρογγυλεμένες Σύνολο
|
||||
Rounded Total (Company Currency),Στρογγυλεμένες Σύνολο (νόμισμα της Εταιρείας)
|
||||
Row # ,Row #
|
||||
Row # {0}: ,
|
||||
Row # {0}: ,Row # {0}:
|
||||
Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Σειρά # {0}: Διέταξε ποσότητα δεν μπορεί να μικρότερη από την ελάχιστη ποσότητα σειρά στοιχείου (όπως ορίζεται στο σημείο master).
|
||||
Row #{0}: Please specify Serial No for Item {1},Σειρά # {0}: Παρακαλείστε να προσδιορίσετε Αύξων αριθμός για τη θέση {1}
|
||||
Row {0}: Account does not match with \ Purchase Invoice Credit To account,Σειρά {0}: Ο λογαριασμός δεν ταιριάζει με \ τιμολογίου αγοράς πίστωση του λογαριασμού
|
||||
@ -3277,8 +3277,8 @@ Your support email id - must be a valid email - this is where your emails will c
|
||||
[Select],[ Επιλέξτε ]
|
||||
`Freeze Stocks Older Than` should be smaller than %d days.,` Τα αποθέματα Πάγωμα Παλαιότερο από ` θα πρέπει να είναι μικρότερη από % d ημέρες .
|
||||
and,και
|
||||
are not allowed.,δεν επιτρέπονται .
|
||||
assigned by,ανατεθεί από
|
||||
are not allowed.,δεν επιτρέπονται.
|
||||
assigned by,Ανατέθηκε από
|
||||
cannot be greater than 100,δεν μπορεί να είναι μεγαλύτερη από 100
|
||||
"e.g. ""Build tools for builders""","π.χ. «Χτίστε εργαλεία για τους κατασκευαστές """
|
||||
"e.g. ""MC""","π.χ. "" MC """
|
||||
|
|
File diff suppressed because it is too large
Load Diff
@ -51,7 +51,7 @@ Accepted + Rejected Qty must be equal to Received quantity for Item {0},"La quan
|
||||
Compte {0} doit être SAMES comme débit pour tenir compte de la facture de vente en ligne {0}"
|
||||
Accepted Quantity,Quantité acceptés
|
||||
Accepted Warehouse,Entrepôt acceptable
|
||||
Account,compte
|
||||
Account,Compte
|
||||
Account Balance,Solde du compte
|
||||
Account Created: {0},Compte créé : {0}
|
||||
Account Details,Détails du compte
|
||||
@ -63,18 +63,18 @@ Account Type,Type de compte
|
||||
Account for the warehouse (Perpetual Inventory) will be created under this Account.,Compte de l'entrepôt ( de l'inventaire permanent ) sera créé sous ce compte .
|
||||
Account head {0} created,Responsable du compte {0} a été crée
|
||||
Account must be a balance sheet account,Le compte doit être un bilan
|
||||
Account with child nodes cannot be converted to ledger,Liste des prix non sélectionné
|
||||
Account with existing transaction can not be converted to group.,{0} n'est pas un congé approbateur valide
|
||||
Account with existing transaction can not be deleted,Compte avec la transaction existante ne peut pas être supprimé
|
||||
Account with existing transaction cannot be converted to ledger,Compte avec la transaction existante ne peut pas être converti en livre
|
||||
Account with child nodes cannot be converted to ledger,Un compte avec des enfants ne peut pas être converti en grand livre
|
||||
Account with existing transaction can not be converted to group.,Un compte contenant une transaction ne peut pas être converti en groupe
|
||||
Account with existing transaction can not be deleted,Un compte contenant une transaction ne peut pas être supprimé
|
||||
Account with existing transaction cannot be converted to ledger,Un compte contenant une transaction ne peut pas être converti en grand livre
|
||||
Account {0} cannot be a Group,Compte {0} ne peut pas être un groupe
|
||||
Account {0} does not belong to Company {1},Compte {0} n'appartient pas à la société {1}
|
||||
Account {0} does not belong to company: {1},Compte {0} n'appartient pas à l'entreprise: {1}
|
||||
Account {0} does not belong to company: {1},Compte {0} n'appartient pas à la société : {1}
|
||||
Account {0} does not exist,Compte {0} n'existe pas
|
||||
Account {0} has been entered more than once for fiscal year {1},S'il vous plaît entrer « Répétez le jour du Mois de la« valeur de champ
|
||||
Account {0} is frozen,Attention: Commande {0} existe déjà contre le même numéro de bon de commande
|
||||
Account {0} is inactive,dépenses directes
|
||||
Account {0} is not valid,Compte {0} n'est pas valide
|
||||
Account {0} has been entered more than once for fiscal year {1},Le compte {0} a été renseigné plus d'une fois pour l'année fiscale {1}
|
||||
Account {0} is frozen,Le compte {0} est gelé
|
||||
Account {0} is inactive,Le compte {0} est inactif
|
||||
Account {0} is not valid,Le compte {0} n'est pas valide
|
||||
Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,Compte {0} doit être de type ' actif fixe ' comme objet {1} est un atout article
|
||||
Account {0}: Parent account {1} can not be a ledger,Compte {0}: compte de Parent {1} ne peut pas être un grand livre
|
||||
Account {0}: Parent account {1} does not belong to company: {2},Compte {0}: compte de Parent {1} n'appartient pas à l'entreprise: {2}
|
||||
@ -88,12 +88,12 @@ Accounting,Comptabilité
|
||||
Accounting journal entries.,Les écritures comptables.
|
||||
Accounts,Comptes
|
||||
Accounts Browser,Navigateur des comptes
|
||||
Accounts Frozen Upto,Jusqu'à comptes gelés
|
||||
Accounts Frozen Upto,Comptes gelés jusqu'au
|
||||
Accounts Payable,Comptes à payer
|
||||
Accounts Receivable,Débiteurs
|
||||
Accounts Settings,Paramètres des comptes
|
||||
Active,Actif
|
||||
Active: Will extract emails from ,Actif: va extraire des emails à partir de
|
||||
Active: Will extract emails from ,Actif : extraira les emails depuis
|
||||
Activity,Activité
|
||||
Activity Log,Journal d'activité
|
||||
Activity Log:,Journal d'activité:
|
||||
@ -104,7 +104,7 @@ Actual Completion Date,Date d'achèvement réelle
|
||||
Actual Date,Date Réelle
|
||||
Actual End Date,Date de fin réelle
|
||||
Actual Invoice Date,Date de la facture réelle
|
||||
Actual Posting Date,Date réelle d'affichage
|
||||
Actual Posting Date,Date réelle d'envoie
|
||||
Actual Qty,Quantité réelle
|
||||
Actual Qty (at source/target),Quantité réelle (à la source / cible)
|
||||
Actual Qty After Transaction,Qté réel Après Transaction
|
||||
@ -112,11 +112,11 @@ Actual Qty: Quantity available in the warehouse.,Quantité réelle : Quantité d
|
||||
Actual Quantity,Quantité réelle
|
||||
Actual Start Date,Date de début réelle
|
||||
Add,Ajouter
|
||||
Add / Edit Taxes and Charges,Ajouter / Modifier Taxes et frais
|
||||
Add / Edit Taxes and Charges,Ajouter / Modifier Taxes et Charges
|
||||
Add Child,Ajouter un enfant
|
||||
Add Serial No,Ajouter Numéro de série
|
||||
Add Taxes,Ajouter impôts
|
||||
Add Taxes and Charges,Ajouter Taxes et frais
|
||||
Add Taxes and Charges,Ajouter impôts et charges
|
||||
Add or Deduct,Ajouter ou déduire
|
||||
Add rows to set annual budgets on Accounts.,Ajoutez des lignes pour établir des budgets annuels sur des comptes.
|
||||
Add to Cart,Ajouter au panier
|
||||
@ -130,9 +130,9 @@ Address Details,Détails de l'adresse
|
||||
Address HTML,Adresse HTML
|
||||
Address Line 1,Adresse ligne 1
|
||||
Address Line 2,Adresse ligne 2
|
||||
Address Template,Adresse modèle
|
||||
Address Template,Modèle d'adresse
|
||||
Address Title,Titre de l'adresse
|
||||
Address Title is mandatory.,Vous n'êtes pas autorisé à imprimer ce document
|
||||
Address Title is mandatory.,Le titre de l'adresse est obligatoire
|
||||
Address Type,Type d'adresse
|
||||
Address master.,Adresse principale
|
||||
Administrative Expenses,Dépenses administratives
|
||||
@ -171,22 +171,22 @@ Airline,compagnie aérienne
|
||||
All Addresses.,Toutes les adresses.
|
||||
All Contact,Tout contact
|
||||
All Contacts.,Tous les contacts.
|
||||
All Customer Contact,Tout contact avec la clientèle
|
||||
All Customer Groups,N ° de série {0} est sous contrat de maintenance jusqu'à {1}
|
||||
All Customer Contact,Tous les contacts clients
|
||||
All Customer Groups,Tous les groupes client
|
||||
All Day,Toute la journée
|
||||
All Employee (Active),Tous les employés (Actif)
|
||||
All Item Groups,Tous les groupes des ouvrages
|
||||
All Lead (Open),Tous plomb (Ouvert)
|
||||
All Item Groups,Tous les groupes d'article
|
||||
All Lead (Open),Toutes les pistes (Ouvertes)
|
||||
All Products or Services.,Tous les produits ou services.
|
||||
All Sales Partner Contact,Tout contact Sales Partner
|
||||
All Sales Person,Tout Sales Person
|
||||
All Supplier Contact,Toutes Contacter le fournisseur
|
||||
All Sales Partner Contact,Tous les contacts des partenaires commerciaux
|
||||
All Sales Person,Tous les commerciaux
|
||||
All Supplier Contact,Tous les contacts fournisseur
|
||||
All Supplier Types,Tous les types de fournisseurs
|
||||
All Territories,Compte racine ne peut pas être supprimé
|
||||
All Territories,Tous les secteurs
|
||||
"All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","Tous les champs liés à l'exportation comme monnaie , taux de conversion , l'exportation totale , l'exportation totale grandiose etc sont disponibles dans la note de livraison , POS , offre , facture de vente , Sales Order etc"
|
||||
"All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","Tous les champs importation connexes comme monnaie , taux de conversion , totale d'importation , importation grande etc totale sont disponibles en Achat réception , Fournisseur d'offre , facture d'achat , bon de commande , etc"
|
||||
All items have already been invoiced,Tous les articles ont déjà été facturés
|
||||
All these items have already been invoiced,Existe compte de l'enfant pour ce compte . Vous ne pouvez pas supprimer ce compte .
|
||||
All these items have already been invoiced,Tous les articles ont déjà été facturés
|
||||
Allocate,Allouer
|
||||
Allocate leaves for a period.,Compte temporaire ( actif)
|
||||
Allocate leaves for the year.,Allouer des feuilles de l'année.
|
||||
@ -199,10 +199,10 @@ Allow Bill of Materials,Laissez Bill of Materials
|
||||
Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item,Commande {0} n'est pas valide
|
||||
Allow Children,permettre aux enfants
|
||||
Allow Dropbox Access,Autoriser l'accès au Dropbox
|
||||
Allow Google Drive Access,Autoriser Google Drive accès
|
||||
Allow Negative Balance,Laissez solde négatif
|
||||
Allow Negative Stock,Laissez Stock Négatif
|
||||
Allow Production Order,Laissez un ordre de fabrication
|
||||
Allow Google Drive Access,Autoriser l'accès à Google Drive
|
||||
Allow Negative Balance,Autoriser un solde négatif
|
||||
Allow Negative Stock,Autoriser un stock négatif
|
||||
Allow Production Order,Permettre les ordres de fabrication
|
||||
Allow User,Permettre à l'utilisateur
|
||||
Allow Users,Autoriser les utilisateurs
|
||||
Allow the following users to approve Leave Applications for block days.,Autoriser les utilisateurs suivants d'approuver demandes d'autorisation pour les jours de bloc.
|
||||
@ -211,14 +211,14 @@ Allowance Percent,Pourcentage allocation
|
||||
Allowance for over-{0} crossed for Item {1},Allocation pour les plus de {0} croisés pour objet {1}
|
||||
Allowance for over-{0} crossed for Item {1}.,Allocation pour les plus de {0} franchi pour objet {1}.
|
||||
Allowed Role to Edit Entries Before Frozen Date,Autorisé rôle à modifier les entrées Avant Frozen date
|
||||
Amended From,De modifiée
|
||||
Amended From,Modifié depuis
|
||||
Amount,Montant
|
||||
Amount (Company Currency),Montant (Société Monnaie)
|
||||
Amount Paid,Montant payé
|
||||
Amount to Bill,Montant du projet de loi
|
||||
An Customer exists with same name,Il existe un client avec le même nom
|
||||
"An Item Group exists with same name, please change the item name or rename the item group","Un groupe d'objet existe avec le même nom , s'il vous plaît changer le nom de l'élément ou de renommer le groupe de l'article"
|
||||
"An item exists with same name ({0}), please change the item group name or rename the item",Le compte doit être un compte de bilan
|
||||
"An Item Group exists with same name, please change the item name or rename the item group","Un groupe d'article existe avec le même nom, changez le nom de l'article ou renommez le groupe d'article SVP"
|
||||
"An item exists with same name ({0}), please change the item group name or rename the item","Un article existe avec le même nom ({0}), changez le groupe de l'article ou renommez l'article SVP"
|
||||
Analyst,analyste
|
||||
Annual,Annuel
|
||||
Another Period Closing Entry {0} has been made after {1},Point Wise impôt Détail
|
||||
@ -246,17 +246,17 @@ Appraisal Template,Modèle d'évaluation
|
||||
Appraisal Template Goal,Objectif modèle d'évaluation
|
||||
Appraisal Template Title,Titre modèle d'évaluation
|
||||
Appraisal {0} created for Employee {1} in the given date range,Soulager date doit être supérieure à date d'adhésion
|
||||
Apprentice,apprenti
|
||||
Apprentice,Apprenti
|
||||
Approval Status,Statut d'approbation
|
||||
Approval Status must be 'Approved' or 'Rejected',non autorisé
|
||||
Approval Status must be 'Approved' or 'Rejected',Le statut d'approbation doit être 'Approuvé' ou 'Rejeté'
|
||||
Approved,Approuvé
|
||||
Approver,Approbateur
|
||||
Approving Role,Approuver rôle
|
||||
Approving Role cannot be same as role the rule is Applicable To,Vous ne pouvez pas sélectionner le type de charge comme « Sur la ligne précédente Montant » ou « Le précédent Row totale » pour la première rangée
|
||||
Approving User,Approuver l'utilisateur
|
||||
Approving User cannot be same as user the rule is Applicable To,Approuver l'utilisateur ne peut pas être identique à l'utilisateur la règle est applicable aux
|
||||
Are you sure you want to STOP ,
|
||||
Are you sure you want to UNSTOP ,
|
||||
Are you sure you want to STOP ,Are you sure you want to STOP
|
||||
Are you sure you want to UNSTOP ,Are you sure you want to UNSTOP
|
||||
Arrear Amount,Montant échu
|
||||
"As Production Order can be made for this item, it must be a stock item.","Comme ordre de fabrication peut être faite de cet élément, il doit être un article en stock ."
|
||||
As per Stock UOM,Selon Stock UDM
|
||||
@ -265,11 +265,11 @@ Asset,atout
|
||||
Assistant,assistant
|
||||
Associate,associé
|
||||
Atleast one of the Selling or Buying must be selected,Au moins un de la vente ou l'achat doit être sélectionné
|
||||
Atleast one warehouse is mandatory,Atleast un entrepôt est obligatoire
|
||||
Attach Image,suivant
|
||||
Attach Letterhead,Fixez -tête
|
||||
Attach Logo,S'il vous plaît sélectionner un fichier csv valide avec les données
|
||||
Attach Your Picture,Liquidation Date non mentionné
|
||||
Atleast one warehouse is mandatory,Au moins un entrepôt est obligatoire
|
||||
Attach Image,Joindre l'image
|
||||
Attach Letterhead,Joindre l'entête
|
||||
Attach Logo,Joindre le logo
|
||||
Attach Your Picture,Joindre votre photo
|
||||
Attendance,Présence
|
||||
Attendance Date,Date de Participation
|
||||
Attendance Details,Détails de présence
|
||||
@ -285,7 +285,7 @@ Auto Accounting For Stock Settings,Auto Comptabilité Pour les paramètres de dr
|
||||
Auto Material Request,Auto Demande de Matériel
|
||||
Auto-raise Material Request if quantity goes below re-order level in a warehouse,Auto-raise Demande de Matériel si la quantité va en dessous du niveau de re-commande dans un entrepôt
|
||||
Automatically compose message on submission of transactions.,Composer automatiquement un message sur la soumission de transactions .
|
||||
Automatically extract Job Applicants from a mail box ,
|
||||
Automatically extract Job Applicants from a mail box ,Automatically extract Job Applicants from a mail box
|
||||
Automatically extract Leads from a mail box e.g.,Extraire automatiquement des prospects à partir d'une boîte aux lettres par exemple
|
||||
Automatically updated via Stock Entry of type Manufacture/Repack,Automatiquement mis à jour via l'entrée de fabrication de type Stock / Repack
|
||||
Automotive,automobile
|
||||
@ -369,7 +369,7 @@ Billed Amount,Montant facturé
|
||||
Billed Amt,Bec Amt
|
||||
Billing,Facturation
|
||||
Billing Address,Adresse de facturation
|
||||
Billing Address Name,Facturation Nom Adresse
|
||||
Billing Address Name,Nom de l'adresse de facturation
|
||||
Billing Status,Statut de la facturation
|
||||
Bills raised by Suppliers.,Factures soulevé par les fournisseurs.
|
||||
Bills raised to Customers.,Factures aux clients soulevé.
|
||||
@ -380,10 +380,10 @@ Birthday,anniversaire
|
||||
Block Date,Date de bloquer
|
||||
Block Days,Bloquer les jours
|
||||
Block leave applications by department.,Bloquer les demandes d'autorisation par le ministère.
|
||||
Blog Post,Blog
|
||||
Blog Post,Article de blog
|
||||
Blog Subscriber,Abonné Blog
|
||||
Blood Group,Groupe sanguin
|
||||
Both Warehouse must belong to same Company,Les deux Entrepôt doit appartenir à une même entreprise
|
||||
Both Warehouse must belong to same Company,Les deux Entrepôt doivent appartenir à la même entreprise
|
||||
Box,boîte
|
||||
Branch,Branche
|
||||
Brand,Marque
|
||||
@ -406,7 +406,7 @@ Build Report,Créer un rapport
|
||||
Bundle items at time of sale.,Regrouper des envois au moment de la vente.
|
||||
Business Development Manager,Directeur du développement des affaires
|
||||
Buying,Achat
|
||||
Buying & Selling,Fin d'année financière Date
|
||||
Buying & Selling,Achats et ventes
|
||||
Buying Amount,Montant d'achat
|
||||
Buying Settings,Réglages d'achat
|
||||
"Buying must be checked, if Applicable For is selected as {0}","Achat doit être vérifiée, si pour Applicable est sélectionné comme {0}"
|
||||
@ -428,11 +428,11 @@ Call,Appeler
|
||||
Calls,appels
|
||||
Campaign,Campagne
|
||||
Campaign Name,Nom de la campagne
|
||||
Campaign Name is required,Maître à la clientèle .
|
||||
Campaign Name is required,Le nom de la campagne est requis
|
||||
Campaign Naming By,Campagne Naming par
|
||||
Campaign-.####,Centre de coûts de transactions existants ne peut pas être converti en groupe
|
||||
Campaign-.####,Campagne-.####
|
||||
Can be approved by {0},Peut être approuvé par {0}
|
||||
"Can not filter based on Account, if grouped by Account","Impossible de filtrer sur la base de compte , si regroupées par compte"
|
||||
"Can not filter based on Account, if grouped by Account","Impossible de filtrer sur les compte , si regroupées par compte"
|
||||
"Can not filter based on Voucher No, if grouped by Voucher","Impossible de filtrer sur la base Bon Non, si regroupés par Chèque"
|
||||
Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Remarque : {0}
|
||||
Cancel Material Visit {0} before cancelling this Customer Issue,Invalid serveur de messagerie . S'il vous plaît corriger et essayer à nouveau.
|
||||
@ -441,10 +441,10 @@ Cancelled,Annulé
|
||||
Cancelling this Stock Reconciliation will nullify its effect.,Annulation de ce stock de réconciliation annuler son effet .
|
||||
Cannot Cancel Opportunity as Quotation Exists,Vous ne pouvez pas annuler Possibilité de devis Existe
|
||||
Cannot approve leave as you are not authorized to approve leaves on Block Dates,Vous ne pouvez pas approuver les congés que vous n'êtes pas autorisé à approuver les congés sur les dates de bloc
|
||||
Cannot cancel because Employee {0} is already approved for {1},Vous ne pouvez pas annuler parce employés {0} est déjà approuvé pour {1}
|
||||
Cannot cancel because Employee {0} is already approved for {1},Impossible d'annuler car l'employé {0} est déjà approuvé pour {1}
|
||||
Cannot cancel because submitted Stock Entry {0} exists,Vous ne pouvez pas annuler car soumis Stock entrée {0} existe
|
||||
Cannot carry forward {0},Point {0} doit être un achat article
|
||||
Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Vous ne pouvez pas modifier Exercice Date de départ et de l'exercice Date de fin une fois l'exercice est enregistré.
|
||||
Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Impossible de modifier les dates de début et de fin d'exercice une fois que l'exercice est enregistré.
|
||||
"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.",Voyage
|
||||
Cannot convert Cost Center to ledger as it has child nodes,Vous ne pouvez pas convertir le centre de coûts à livre car il possède des nœuds enfant
|
||||
Cannot covert to Group because Master Type or Account Type is selected.,Il y avait des erreurs lors de l'envoi de courriel . S'il vous plaît essayez de nouveau .
|
||||
@ -842,13 +842,13 @@ Distributor,Distributeur
|
||||
Divorced,Divorcé
|
||||
Do Not Contact,Ne communiquez pas avec
|
||||
Do not show any symbol like $ etc next to currencies.,Ne plus afficher n'importe quel symbole comme $ etc à côté de devises.
|
||||
Do really want to unstop production order: ,
|
||||
Do you really want to STOP ,
|
||||
Do really want to unstop production order: ,Do really want to unstop production order:
|
||||
Do you really want to STOP ,Do you really want to STOP
|
||||
Do you really want to STOP this Material Request?,Voulez-vous vraiment arrêter cette Demande de Matériel ?
|
||||
Do you really want to Submit all Salary Slip for month {0} and year {1},"Statut du document de transition {0} {1}, n'est pas autorisé"
|
||||
Do you really want to UNSTOP ,
|
||||
Do you really want to UNSTOP ,Do you really want to UNSTOP
|
||||
Do you really want to UNSTOP this Material Request?,Voulez-vous vraiment à ce unstop Demande de Matériel ?
|
||||
Do you really want to stop production order: ,
|
||||
Do you really want to stop production order: ,Do you really want to stop production order:
|
||||
Doc Name,Nom de Doc
|
||||
Doc Type,Doc Type d'
|
||||
Document Description,Description du document
|
||||
@ -900,7 +900,7 @@ Electronics,électronique
|
||||
Email,Email
|
||||
Email Digest,Email Digest
|
||||
Email Digest Settings,Paramètres de messagerie Digest
|
||||
Email Digest: ,
|
||||
Email Digest: ,Email Digest:
|
||||
Email Id,Identification d'email
|
||||
"Email Id where a job applicant will email e.g. ""jobs@example.com""",Identification d'email où un demandeur d'emploi enverra par courriel par exemple "jobs@example.com"
|
||||
Email Notifications,Notifications par courriel
|
||||
@ -960,7 +960,7 @@ Enter url parameter for receiver nos,Entrez le paramètre url pour nos récepteu
|
||||
Entertainment & Leisure,Entertainment & Leisure
|
||||
Entertainment Expenses,Frais de représentation
|
||||
Entries,Entrées
|
||||
Entries against ,
|
||||
Entries against ,Entries against
|
||||
Entries are not allowed against this Fiscal Year if the year is closed.,Les inscriptions ne sont pas autorisés contre cette exercice si l'année est fermé.
|
||||
Equity,Opération {0} est répété dans le tableau des opérations
|
||||
Error: {0} > {1},Erreur: {0} > {1}
|
||||
@ -1575,7 +1575,7 @@ Maintenance Visit Purpose,But Visite d'entretien
|
||||
Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Doublons {0} avec la même {1}
|
||||
Maintenance start date can not be before delivery date for Serial No {0},Entretien date de début ne peut pas être avant la date de livraison pour série n ° {0}
|
||||
Major/Optional Subjects,Sujets principaux / en option
|
||||
Make ,
|
||||
Make ,Make
|
||||
Make Accounting Entry For Every Stock Movement,Faites Entrée Comptabilité Pour chaque mouvement Stock
|
||||
Make Bank Voucher,Assurez-Bon Banque
|
||||
Make Credit Note,Assurez Note de crédit
|
||||
@ -2450,7 +2450,7 @@ Rounded Off,Période est trop courte
|
||||
Rounded Total,Totale arrondie
|
||||
Rounded Total (Company Currency),Totale arrondie (Société Monnaie)
|
||||
Row # ,Row #
|
||||
Row # {0}: ,
|
||||
Row # {0}: ,Row # {0}:
|
||||
Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Ligne # {0}: quantité Commandé ne peut pas moins que l'ordre minimum quantité de produit (défini dans le maître de l'article).
|
||||
Row #{0}: Please specify Serial No for Item {1},Ligne # {0}: S'il vous plaît spécifier Pas de série pour objet {1}
|
||||
Row {0}: Account does not match with \ Purchase Invoice Credit To account,Ligne {0}: compte ne correspond pas à \ Facture d'achat crédit du compte
|
||||
@ -2752,7 +2752,7 @@ Stock Ageing,Stock vieillissement
|
||||
Stock Analytics,Analytics stock
|
||||
Stock Assets,payable
|
||||
Stock Balance,Solde Stock
|
||||
Stock Entries already created for Production Order ,
|
||||
Stock Entries already created for Production Order ,Stock Entries already created for Production Order
|
||||
Stock Entry,Entrée Stock
|
||||
Stock Entry Detail,Détail d'entrée Stock
|
||||
Stock Expenses,Facteur de conversion de l'unité de mesure par défaut doit être de 1 à la ligne {0}
|
||||
|
|
@ -254,8 +254,8 @@ Approving Role,रोल की स्वीकृति
|
||||
Approving Role cannot be same as role the rule is Applicable To,रोल का अनुमोदन करने के लिए नियम लागू है भूमिका के रूप में ही नहीं हो सकता
|
||||
Approving User,उपयोगकर्ता के स्वीकृति
|
||||
Approving User cannot be same as user the rule is Applicable To,उपयोगकर्ता का अनुमोदन करने के लिए नियम लागू है उपयोगकर्ता के रूप में ही नहीं हो सकता
|
||||
Are you sure you want to STOP ,
|
||||
Are you sure you want to UNSTOP ,
|
||||
Are you sure you want to STOP ,Are you sure you want to STOP
|
||||
Are you sure you want to UNSTOP ,Are you sure you want to UNSTOP
|
||||
Arrear Amount,बकाया राशि
|
||||
"As Production Order can be made for this item, it must be a stock item.","उत्पादन का आदेश इस मद के लिए बनाया जा सकता है, यह एक शेयर मद होना चाहिए ."
|
||||
As per Stock UOM,स्टॉक UOM के अनुसार
|
||||
@ -284,7 +284,7 @@ Auto Accounting For Stock Settings,शेयर सेटिंग्स के
|
||||
Auto Material Request,ऑटो सामग्री अनुरोध
|
||||
Auto-raise Material Request if quantity goes below re-order level in a warehouse,मात्रा एक गोदाम में फिर से आदेश के स्तर से नीचे चला जाता है तो सामग्री अनुरोध ऑटो बढ़ा
|
||||
Automatically compose message on submission of transactions.,स्वचालित रूप से लेनदेन के प्रस्तुत करने पर संदेश लिखें .
|
||||
Automatically extract Job Applicants from a mail box ,
|
||||
Automatically extract Job Applicants from a mail box ,Automatically extract Job Applicants from a mail box
|
||||
Automatically extract Leads from a mail box e.g.,स्वचालित रूप से एक मेल बॉक्स से सुराग निकालने उदा
|
||||
Automatically updated via Stock Entry of type Manufacture/Repack,स्वतः प्रकार निर्माण / Repack स्टॉक प्रविष्टि के माध्यम से अद्यतन
|
||||
Automotive,मोटर वाहन
|
||||
@ -511,7 +511,7 @@ Clearance Date,क्लीयरेंस तिथि
|
||||
Clearance Date not mentioned,क्लीयरेंस तिथि का उल्लेख नहीं
|
||||
Clearance date cannot be before check date in row {0},क्लीयरेंस तारीख पंक्ति में चेक की तारीख से पहले नहीं किया जा सकता {0}
|
||||
Click on 'Make Sales Invoice' button to create a new Sales Invoice.,एक नया बिक्री चालान बनाने के लिए बटन 'बिक्री चालान करें' पर क्लिक करें.
|
||||
Click on a link to get options to expand get options ,
|
||||
Click on a link to get options to expand get options ,Click on a link to get options to expand get options
|
||||
Client,ग्राहक
|
||||
Close Balance Sheet and book Profit or Loss.,बंद बैलेंस शीट और पुस्तक लाभ या हानि .
|
||||
Closed,बंद
|
||||
@ -841,13 +841,13 @@ Distributor,वितरक
|
||||
Divorced,तलाकशुदा
|
||||
Do Not Contact,संपर्क नहीं है
|
||||
Do not show any symbol like $ etc next to currencies.,$ मुद्राओं की बगल आदि की तरह किसी भी प्रतीक नहीं दिखा.
|
||||
Do really want to unstop production order: ,
|
||||
Do you really want to STOP ,
|
||||
Do really want to unstop production order: ,Do really want to unstop production order:
|
||||
Do you really want to STOP ,Do you really want to STOP
|
||||
Do you really want to STOP this Material Request?,आप वास्तव में इस सामग्री अनुरोध बंद करना चाहते हैं ?
|
||||
Do you really want to Submit all Salary Slip for month {0} and year {1},आप वास्तव में {0} और वर्ष {1} माह के लिए सभी वेतन पर्ची प्रस्तुत करना चाहते हैं
|
||||
Do you really want to UNSTOP ,
|
||||
Do you really want to UNSTOP ,Do you really want to UNSTOP
|
||||
Do you really want to UNSTOP this Material Request?,आप वास्तव में इस सामग्री अनुरोध आगे बढ़ाना चाहते हैं?
|
||||
Do you really want to stop production order: ,
|
||||
Do you really want to stop production order: ,Do you really want to stop production order:
|
||||
Doc Name,डॉक्टर का नाम
|
||||
Doc Type,डॉक्टर के प्रकार
|
||||
Document Description,दस्तावेज का विवरण
|
||||
@ -899,7 +899,7 @@ Electronics,इलेक्ट्रानिक्स
|
||||
Email,ईमेल
|
||||
Email Digest,ईमेल डाइजेस्ट
|
||||
Email Digest Settings,ईमेल डाइजेस्ट सेटिंग
|
||||
Email Digest: ,
|
||||
Email Digest: ,Email Digest:
|
||||
Email Id,ईमेल आईडी
|
||||
"Email Id where a job applicant will email e.g. ""jobs@example.com""",ईमेल आईडी जहां एक नौकरी आवेदक जैसे "jobs@example.com" ईमेल करेंगे
|
||||
Email Notifications,ईमेल सूचनाएं
|
||||
@ -959,7 +959,7 @@ Enter url parameter for receiver nos,रिसीवर ओपन स्कू
|
||||
Entertainment & Leisure,मनोरंजन और आराम
|
||||
Entertainment Expenses,मनोरंजन खर्च
|
||||
Entries,प्रविष्टियां
|
||||
Entries against ,
|
||||
Entries against ,Entries against
|
||||
Entries are not allowed against this Fiscal Year if the year is closed.,"प्रविष्टियों इस वित्त वर्ष के खिलाफ की अनुमति नहीं है, अगर साल बंद कर दिया जाता है."
|
||||
Equity,इक्विटी
|
||||
Error: {0} > {1},त्रुटि: {0} > {1}
|
||||
@ -1574,7 +1574,7 @@ Maintenance Visit Purpose,रखरखाव भेंट प्रयोजन
|
||||
Maintenance Visit {0} must be cancelled before cancelling this Sales Order,रखरखाव भेंट {0} इस बिक्री आदेश रद्द करने से पहले रद्द कर दिया जाना चाहिए
|
||||
Maintenance start date can not be before delivery date for Serial No {0},रखरखाव शुरू करने की तारीख धारावाहिक नहीं के लिए डिलीवरी की तारीख से पहले नहीं किया जा सकता {0}
|
||||
Major/Optional Subjects,मेजर / वैकल्पिक विषय
|
||||
Make ,
|
||||
Make ,Make
|
||||
Make Accounting Entry For Every Stock Movement,हर शेयर आंदोलन के लिए लेखा प्रविष्टि बनाओ
|
||||
Make Bank Voucher,बैंक वाउचर
|
||||
Make Credit Note,क्रेडिट नोट बनाने
|
||||
@ -1723,7 +1723,7 @@ Net Weight UOM,नेट वजन UOM
|
||||
Net Weight of each Item,प्रत्येक आइटम के नेट वजन
|
||||
Net pay cannot be negative,शुद्ध भुगतान नकारात्मक नहीं हो सकता
|
||||
Never,कभी नहीं
|
||||
New ,
|
||||
New ,New
|
||||
New Account,नया खाता
|
||||
New Account Name,नया खाता नाम
|
||||
New BOM,नई बीओएम
|
||||
@ -2449,7 +2449,7 @@ Rounded Off,गोल बंद
|
||||
Rounded Total,गोल कुल
|
||||
Rounded Total (Company Currency),गोल कुल (कंपनी मुद्रा)
|
||||
Row # ,# पंक्ति
|
||||
Row # {0}: ,
|
||||
Row # {0}: ,Row # {0}:
|
||||
Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Row # {0}: आदेश दिया मात्रा (आइटम मास्टर में परिभाषित) मद की न्यूनतम आदेश मात्रा से कम नहीं कर सकते हैं.
|
||||
Row #{0}: Please specify Serial No for Item {1},Row # {0}: आइटम के लिए धारावाहिक नहीं निर्दिष्ट करें {1}
|
||||
Row {0}: Account does not match with \ Purchase Invoice Credit To account,पंक्ति {0}: \ खरीद चालान क्रेडिट खाते के साथ मेल नहीं खाता
|
||||
@ -2751,7 +2751,7 @@ Stock Ageing,स्टॉक बूढ़े
|
||||
Stock Analytics,स्टॉक विश्लेषिकी
|
||||
Stock Assets,शेयर एसेट्स
|
||||
Stock Balance,बाकी स्टाक
|
||||
Stock Entries already created for Production Order ,
|
||||
Stock Entries already created for Production Order ,Stock Entries already created for Production Order
|
||||
Stock Entry,स्टॉक एंट्री
|
||||
Stock Entry Detail,शेयर एंट्री विस्तार
|
||||
Stock Expenses,शेयर व्यय
|
||||
|
|
@ -254,8 +254,8 @@ Approving Role,Odobravanje ulogu
|
||||
Approving Role cannot be same as role the rule is Applicable To,Odobravanje ulogu ne mogu biti isti kao i ulogepravilo odnosi se na
|
||||
Approving User,Odobravanje korisnika
|
||||
Approving User cannot be same as user the rule is Applicable To,Odobravanje korisnik ne može biti isto kao korisnikapravilo odnosi se na
|
||||
Are you sure you want to STOP ,
|
||||
Are you sure you want to UNSTOP ,
|
||||
Are you sure you want to STOP ,Are you sure you want to STOP
|
||||
Are you sure you want to UNSTOP ,Are you sure you want to UNSTOP
|
||||
Arrear Amount,Iznos unatrag
|
||||
"As Production Order can be made for this item, it must be a stock item.","Kao Production Order može biti za tu stavku , to mora bitipredmet dionica ."
|
||||
As per Stock UOM,Kao po burzi UOM
|
||||
@ -284,7 +284,7 @@ Auto Accounting For Stock Settings,Auto Računovodstvo za dionice Settings
|
||||
Auto Material Request,Auto Materijal Zahtjev
|
||||
Auto-raise Material Request if quantity goes below re-order level in a warehouse,Auto-podizanje Materijal zahtjev ako se količina ide ispod ponovno bi razinu u skladištu
|
||||
Automatically compose message on submission of transactions.,Automatski nova poruka na podnošenje transakcija .
|
||||
Automatically extract Job Applicants from a mail box ,
|
||||
Automatically extract Job Applicants from a mail box ,Automatically extract Job Applicants from a mail box
|
||||
Automatically extract Leads from a mail box e.g.,Automatski ekstrakt vodi iz mail box pr
|
||||
Automatically updated via Stock Entry of type Manufacture/Repack,Automatski ažurira putem burze Unos tipa Proizvodnja / prepakirati
|
||||
Automotive,automobilski
|
||||
@ -511,7 +511,7 @@ Clearance Date,Razmak Datum
|
||||
Clearance Date not mentioned,Razmak Datum nije spomenuo
|
||||
Clearance date cannot be before check date in row {0},Datum rasprodaja ne može biti prije datuma check u redu {0}
|
||||
Click on 'Make Sales Invoice' button to create a new Sales Invoice.,Kliknite na "Make prodaje Račun 'gumb za stvaranje nove prodaje fakture.
|
||||
Click on a link to get options to expand get options ,
|
||||
Click on a link to get options to expand get options ,Click on a link to get options to expand get options
|
||||
Client,Klijent
|
||||
Close Balance Sheet and book Profit or Loss.,Zatvori bilanca i knjiga dobit ili gubitak .
|
||||
Closed,Zatvoreno
|
||||
@ -841,13 +841,13 @@ Distributor,Distributer
|
||||
Divorced,Rastavljen
|
||||
Do Not Contact,Ne Kontaktiraj
|
||||
Do not show any symbol like $ etc next to currencies.,Ne pokazuju nikakav simbol kao $ itd uz valutama.
|
||||
Do really want to unstop production order: ,
|
||||
Do you really want to STOP ,
|
||||
Do really want to unstop production order: ,Do really want to unstop production order:
|
||||
Do you really want to STOP ,Do you really want to STOP
|
||||
Do you really want to STOP this Material Request?,Da li stvarno želite prestati s ovom materijalnom zahtjev ?
|
||||
Do you really want to Submit all Salary Slip for month {0} and year {1},Želite li zaista da podnesu sve plaće slip za mjesec {0} i godina {1}
|
||||
Do you really want to UNSTOP ,
|
||||
Do you really want to UNSTOP ,Do you really want to UNSTOP
|
||||
Do you really want to UNSTOP this Material Request?,Da li stvarno želite otpušiti ovaj materijal zahtjev ?
|
||||
Do you really want to stop production order: ,
|
||||
Do you really want to stop production order: ,Do you really want to stop production order:
|
||||
Doc Name,Doc Ime
|
||||
Doc Type,Doc Tip
|
||||
Document Description,Dokument Opis
|
||||
@ -899,7 +899,7 @@ Electronics,elektronika
|
||||
Email,E-mail
|
||||
Email Digest,E-pošta
|
||||
Email Digest Settings,E-pošta Postavke
|
||||
Email Digest: ,
|
||||
Email Digest: ,Email Digest:
|
||||
Email Id,E-mail ID
|
||||
"Email Id where a job applicant will email e.g. ""jobs@example.com""",E-mail Id gdje posao zahtjeva će e-mail npr. "jobs@example.com"
|
||||
Email Notifications,E-mail obavijesti
|
||||
@ -959,7 +959,7 @@ Enter url parameter for receiver nos,Unesite URL parametar za prijemnike br
|
||||
Entertainment & Leisure,Zabava i slobodno vrijeme
|
||||
Entertainment Expenses,Zabava Troškovi
|
||||
Entries,Prijave
|
||||
Entries against ,
|
||||
Entries against ,Entries against
|
||||
Entries are not allowed against this Fiscal Year if the year is closed.,"Prijave nisu dozvoljeni protiv ove fiskalne godine, ako se godina zatvoren."
|
||||
Equity,pravičnost
|
||||
Error: {0} > {1},Pogreška : {0} > {1}
|
||||
@ -1574,7 +1574,7 @@ Maintenance Visit Purpose,Održavanje Posjetite Namjena
|
||||
Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Održavanje Posjetite {0} mora biti otkazana prije poništenja ovu prodajnog naloga
|
||||
Maintenance start date can not be before delivery date for Serial No {0},Održavanje datum početka ne može biti prije datuma isporuke za rednim brojem {0}
|
||||
Major/Optional Subjects,Glavni / Izborni predmeti
|
||||
Make ,
|
||||
Make ,Make
|
||||
Make Accounting Entry For Every Stock Movement,Provjerite knjiženje za svaki burzi pokreta
|
||||
Make Bank Voucher,Napravite Bank bon
|
||||
Make Credit Note,Provjerite Credit Note
|
||||
@ -1723,7 +1723,7 @@ Net Weight UOM,Težina UOM
|
||||
Net Weight of each Item,Težina svake stavke
|
||||
Net pay cannot be negative,Neto plaća ne može biti negativna
|
||||
Never,Nikad
|
||||
New ,
|
||||
New ,New
|
||||
New Account,Novi račun
|
||||
New Account Name,Novi naziv računa
|
||||
New BOM,Novi BOM
|
||||
@ -2449,7 +2449,7 @@ Rounded Off,zaokružen
|
||||
Rounded Total,Zaobljeni Ukupno
|
||||
Rounded Total (Company Currency),Zaobljeni Ukupno (Društvo valuta)
|
||||
Row # ,Redak #
|
||||
Row # {0}: ,
|
||||
Row # {0}: ,Row # {0}:
|
||||
Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Row # {0}: Ž Količina ne može manje od stavke minimalne narudžbe kom (definiranom u točki gospodara).
|
||||
Row #{0}: Please specify Serial No for Item {1},Row # {0}: Navedite rednim brojem predmeta za {1}
|
||||
Row {0}: Account does not match with \ Purchase Invoice Credit To account,Red {0}: račun ne odgovara \ Kupnja Račun kredit za račun
|
||||
@ -2751,7 +2751,7 @@ Stock Ageing,Kataloški Starenje
|
||||
Stock Analytics,Stock Analytics
|
||||
Stock Assets,dionicama u vrijednosti
|
||||
Stock Balance,Kataloški bilanca
|
||||
Stock Entries already created for Production Order ,
|
||||
Stock Entries already created for Production Order ,Stock Entries already created for Production Order
|
||||
Stock Entry,Kataloški Stupanje
|
||||
Stock Entry Detail,Kataloški Stupanje Detalj
|
||||
Stock Expenses,Stock Troškovi
|
||||
|
|
@ -1,5 +1,5 @@
|
||||
(Half Day),
|
||||
and year: ,
|
||||
(Half Day), (Half Day)
|
||||
and year: , and year:
|
||||
""" does not exists","""Tidak ada"
|
||||
% Delivered,Disampaikan%
|
||||
% Amount Billed,% Jumlah Ditagih
|
||||
@ -41,14 +41,14 @@ A Product or Service,Produk atau Jasa
|
||||
A Supplier exists with same name,Pemasok dengan nama yang sama sudah terdaftar
|
||||
A symbol for this currency. For e.g. $,Simbol untuk mata uang ini. Contoh $
|
||||
AMC Expiry Date,AMC Tanggal Berakhir
|
||||
Abbr,Abbr
|
||||
Abbr,Singkatan
|
||||
Abbreviation cannot have more than 5 characters,Singkatan tak bisa memiliki lebih dari 5 karakter
|
||||
Above Value,Nilai di atas
|
||||
Absent,Absen
|
||||
Acceptance Criteria,Kriteria Penerimaan
|
||||
Accepted,Diterima
|
||||
Accepted + Rejected Qty must be equal to Received quantity for Item {0},Diterima Ditolak + Qty harus sama dengan jumlah yang diterima untuk Item {0}
|
||||
Accepted Quantity,Diterima Kuantitas
|
||||
Accepted Quantity,Kuantitas Diterima
|
||||
Accepted Warehouse,Gudang Diterima
|
||||
Account,Akun
|
||||
Account Balance,Saldo Rekening
|
||||
@ -57,25 +57,25 @@ Account Details,Rincian Account
|
||||
Account Head,Akun Kepala
|
||||
Account Name,Nama Akun
|
||||
Account Type,Jenis Account
|
||||
"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Saldo rekening sudah Kredit, Anda tidak diizinkan untuk mengatur 'Balance Harus' sebagai 'Debit'"
|
||||
"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Saldo rekening telah ada di Kredit, Anda tidak diizinkan untuk mengatur 'Balance Harus' sebagai 'Debit'"
|
||||
"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Saldo rekening sudah di Debit, Anda tidak diizinkan untuk mengatur 'Balance Harus' sebagai 'Kredit'"
|
||||
Account for the warehouse (Perpetual Inventory) will be created under this Account.,Rekening untuk gudang (Inventaris Perpetual) akan dibuat di bawah Rekening ini.
|
||||
Account head {0} created,Kepala akun {0} dibuat
|
||||
Account head {0} created,Kepala akun {0} telah dibuat
|
||||
Account must be a balance sheet account,Rekening harus menjadi akun neraca
|
||||
Account with child nodes cannot be converted to ledger,Akun dengan node anak tidak dapat dikonversi ke buku
|
||||
Account with existing transaction can not be converted to group.,Akun dengan transaksi yang ada tidak dapat dikonversi ke grup.
|
||||
Account with existing transaction can not be deleted,Akun dengan transaksi yang ada tidak dapat dihapus
|
||||
Account with existing transaction cannot be converted to ledger,Akun dengan transaksi yang ada tidak dapat dikonversi ke buku
|
||||
Account {0} cannot be a Group,Akun {0} tidak dapat Kelompok a
|
||||
Account {0} cannot be a Group,Akun {0} tidak dapat berupa Kelompok
|
||||
Account {0} does not belong to Company {1},Akun {0} bukan milik Perusahaan {1}
|
||||
Account {0} does not belong to company: {1},Akun {0} bukan milik perusahaan: {1}
|
||||
Account {0} does not exist,Akun {0} tidak ada
|
||||
Account {0} has been entered more than once for fiscal year {1},Akun {0} telah dimasukkan lebih dari sekali untuk tahun fiskal {1}
|
||||
Account {0} is frozen,Akun {0} beku
|
||||
Account {0} is frozen,Akun {0} dibekukan
|
||||
Account {0} is inactive,Akun {0} tidak aktif
|
||||
Account {0} is not valid,Akun {0} tidak valid
|
||||
Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,Akun {0} harus bertipe 'Aset Tetap' sebagai Barang {1} adalah sebuah Aset Barang
|
||||
Account {0}: Parent account {1} can not be a ledger,Akun {0}: akun Parent {1} tidak dapat buku besar
|
||||
Account {0}: Parent account {1} can not be a ledger,Akun {0}: akun Parent {1} tidak dapat berupa buku besar
|
||||
Account {0}: Parent account {1} does not belong to company: {2},Akun {0}: akun Parent {1} bukan milik perusahaan: {2}
|
||||
Account {0}: Parent account {1} does not exist,Akun {0}: akun Parent {1} tidak ada
|
||||
Account {0}: You can not assign itself as parent account,Akun {0}: Anda tidak dapat menetapkan dirinya sebagai rekening induk
|
||||
@ -92,24 +92,24 @@ Accounts Payable,Hutang
|
||||
Accounts Receivable,Piutang
|
||||
Accounts Settings,Account Settings
|
||||
Active,Aktif
|
||||
Active: Will extract emails from ,
|
||||
Active: Will extract emails from ,Active: Will extract emails from
|
||||
Activity,Aktivitas
|
||||
Activity Log,Log Aktivitas
|
||||
Activity Log:,Log Aktivitas:
|
||||
Activity Type,Jenis Kegiatan
|
||||
Actual,Aktual
|
||||
Actual Budget,Realisasi Anggaran
|
||||
Actual Completion Date,Realisasi Tanggal Penyelesaian
|
||||
Actual Date,Realisasi Tanggal
|
||||
Actual End Date,Realisasi Tanggal Akhir
|
||||
Actual Invoice Date,Sebenarnya Faktur Tanggal
|
||||
Actual Budget,Anggaran Aktual
|
||||
Actual Completion Date,Tanggal Penyelesaian Aktual
|
||||
Actual Date,Tanggal Aktual
|
||||
Actual End Date,Tanggal Akhir Realisasi
|
||||
Actual Invoice Date,Tanggal Faktur Aktual
|
||||
Actual Posting Date,Sebenarnya Posting Tanggal
|
||||
Actual Qty,Realisasi Qty
|
||||
Actual Qty (at source/target),Aktual Qty (di sumber / target)
|
||||
Actual Qty After Transaction,Realisasi Qty Setelah Transaksi
|
||||
Actual Qty,Qty Aktual
|
||||
Actual Qty (at source/target),Qty Aktual (di sumber/target)
|
||||
Actual Qty After Transaction,Qty Aktual Setelah Transaksi
|
||||
Actual Qty: Quantity available in the warehouse.,Jumlah yang sebenarnya: Kuantitas yang tersedia di gudang.
|
||||
Actual Quantity,Realisasi Kuantitas
|
||||
Actual Start Date,Aktual Tanggal Mulai
|
||||
Actual Quantity,Kuantitas Aktual
|
||||
Actual Start Date,Tanggal Mulai Aktual
|
||||
Add,Tambahkan
|
||||
Add / Edit Taxes and Charges,Tambah / Edit Pajak dan Biaya
|
||||
Add Child,Tambah Anak
|
||||
@ -254,8 +254,8 @@ Approving Role,Menyetujui Peran
|
||||
Approving Role cannot be same as role the rule is Applicable To,Menyetujui Peran tidak bisa sama dengan peran aturan yang Berlaku Untuk
|
||||
Approving User,Menyetujui Pengguna
|
||||
Approving User cannot be same as user the rule is Applicable To,Menyetujui Pengguna tidak bisa sama dengan pengguna aturan yang Berlaku Untuk
|
||||
Are you sure you want to STOP ,
|
||||
Are you sure you want to UNSTOP ,
|
||||
Are you sure you want to STOP ,Are you sure you want to STOP
|
||||
Are you sure you want to UNSTOP ,Are you sure you want to UNSTOP
|
||||
Arrear Amount,Jumlah tunggakan
|
||||
"As Production Order can be made for this item, it must be a stock item.","Seperti Orde Produksi dapat dibuat untuk item ini, itu harus menjadi barang saham."
|
||||
As per Stock UOM,Per Saham UOM
|
||||
@ -284,7 +284,7 @@ Auto Accounting For Stock Settings,Auto Akuntansi Untuk Stock Pengaturan
|
||||
Auto Material Request,Auto Material Permintaan
|
||||
Auto-raise Material Request if quantity goes below re-order level in a warehouse,Auto-meningkatkan Permintaan Material jika kuantitas berjalan di bawah tingkat re-order di gudang
|
||||
Automatically compose message on submission of transactions.,Secara otomatis menulis pesan pada pengajuan transaksi.
|
||||
Automatically extract Job Applicants from a mail box ,
|
||||
Automatically extract Job Applicants from a mail box ,Automatically extract Job Applicants from a mail box
|
||||
Automatically extract Leads from a mail box e.g.,Secara otomatis mengekstrak Memimpin dari kotak surat misalnya
|
||||
Automatically updated via Stock Entry of type Manufacture/Repack,Secara otomatis diperbarui melalui Bursa Masuknya jenis Industri / Repack
|
||||
Automotive,Ot
|
||||
@ -511,7 +511,7 @@ Clearance Date,Izin Tanggal
|
||||
Clearance Date not mentioned,Izin Tanggal tidak disebutkan
|
||||
Clearance date cannot be before check date in row {0},Tanggal clearance tidak bisa sebelum tanggal check-in baris {0}
|
||||
Click on 'Make Sales Invoice' button to create a new Sales Invoice.,Klik 'Buat Sales Invoice' tombol untuk membuat Faktur Penjualan baru.
|
||||
Click on a link to get options to expand get options ,
|
||||
Click on a link to get options to expand get options ,Click on a link to get options to expand get options
|
||||
Client,Client (Nasabah)
|
||||
Close Balance Sheet and book Profit or Loss.,Tutup Neraca dan Perhitungan Laba Rugi atau buku.
|
||||
Closed,Tertutup
|
||||
@ -841,13 +841,13 @@ Distributor,Distributor
|
||||
Divorced,Bercerai
|
||||
Do Not Contact,Jangan Hubungi
|
||||
Do not show any symbol like $ etc next to currencies.,Jangan menunjukkan simbol seperti $ etc sebelah mata uang.
|
||||
Do really want to unstop production order: ,
|
||||
Do you really want to STOP ,
|
||||
Do really want to unstop production order: ,Do really want to unstop production order:
|
||||
Do you really want to STOP ,Do you really want to STOP
|
||||
Do you really want to STOP this Material Request?,Apakah Anda benar-benar ingin BERHENTI Permintaan Bahan ini?
|
||||
Do you really want to Submit all Salary Slip for month {0} and year {1},Apakah Anda benar-benar ingin Menyerahkan semua Slip Gaji untuk bulan {0} dan tahun {1}
|
||||
Do you really want to UNSTOP ,
|
||||
Do you really want to UNSTOP ,Do you really want to UNSTOP
|
||||
Do you really want to UNSTOP this Material Request?,Apakah Anda benar-benar ingin unstop Permintaan Bahan ini?
|
||||
Do you really want to stop production order: ,
|
||||
Do you really want to stop production order: ,Do you really want to stop production order:
|
||||
Doc Name,Doc Nama
|
||||
Doc Type,Doc Type
|
||||
Document Description,Dokumen Deskripsi
|
||||
@ -899,7 +899,7 @@ Electronics,Elektronik
|
||||
Email,siska_chute34@yahoo.com
|
||||
Email Digest,Email Digest
|
||||
Email Digest Settings,Email Digest Pengaturan
|
||||
Email Digest: ,
|
||||
Email Digest: ,Email Digest:
|
||||
Email Id,Email Id
|
||||
"Email Id where a job applicant will email e.g. ""jobs@example.com""","Email Id di mana pelamar pekerjaan akan mengirimkan email misalnya ""jobs@example.com"""
|
||||
Email Notifications,Notifikasi Email
|
||||
@ -927,7 +927,7 @@ Employee Settings,Pengaturan Karyawan
|
||||
Employee Type,Tipe Karyawan
|
||||
"Employee designation (e.g. CEO, Director etc.).","Penunjukan Karyawan (misalnya CEO, Direktur dll)."
|
||||
Employee master.,Master Karyawan.
|
||||
Employee record is created using selected field. ,
|
||||
Employee record is created using selected field. ,Employee record is created using selected field.
|
||||
Employee records.,Catatan karyawan.
|
||||
Employee relieved on {0} must be set as 'Left',Karyawan lega pada {0} harus ditetapkan sebagai 'Kiri'
|
||||
Employee {0} has already applied for {1} between {2} and {3},Karyawan {0} telah diterapkan untuk {1} antara {2} dan {3}
|
||||
@ -959,7 +959,7 @@ Enter url parameter for receiver nos,Masukkan parameter url untuk penerima nos
|
||||
Entertainment & Leisure,Hiburan & Kenyamanan
|
||||
Entertainment Expenses,Beban Hiburan
|
||||
Entries,Entri
|
||||
Entries against ,
|
||||
Entries against ,Entries against
|
||||
Entries are not allowed against this Fiscal Year if the year is closed.,Entri tidak diperbolehkan melawan Tahun Anggaran ini jika tahun ditutup.
|
||||
Equity,Modal
|
||||
Error: {0} > {1},Kesalahan: {0}> {1}
|
||||
@ -1024,7 +1024,7 @@ Exports,Ekspor
|
||||
External,Eksternal
|
||||
Extract Emails,Ekstrak Email
|
||||
FCFS Rate,FCFS Tingkat
|
||||
Failed: ,
|
||||
Failed: ,Failed:
|
||||
Family Background,Latar Belakang Keluarga
|
||||
Fax,Fax
|
||||
Features Setup,Fitur Pengaturan
|
||||
@ -1245,7 +1245,7 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged
|
||||
If you involve in manufacturing activity. Enables Item 'Is Manufactured',Jika Anda terlibat dalam aktivitas manufaktur. Memungkinkan Barang 'Apakah Diproduksi'
|
||||
Ignore,Mengabaikan
|
||||
Ignore Pricing Rule,Abaikan Aturan Harga
|
||||
Ignored: ,
|
||||
Ignored: ,Ignored:
|
||||
Image,Gambar
|
||||
Image View,Citra Tampilan
|
||||
Implementation Partner,Implementasi Mitra
|
||||
@ -1574,7 +1574,7 @@ Maintenance Visit Purpose,Pemeliharaan Visit Tujuan
|
||||
Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Pemeliharaan Kunjungan {0} harus dibatalkan sebelum membatalkan Sales Order ini
|
||||
Maintenance start date can not be before delivery date for Serial No {0},Tanggal mulai pemeliharaan tidak bisa sebelum tanggal pengiriman untuk Serial No {0}
|
||||
Major/Optional Subjects,Mayor / Opsional Subjek
|
||||
Make ,
|
||||
Make ,Make
|
||||
Make Accounting Entry For Every Stock Movement,Membuat Entri Akuntansi Untuk Setiap Gerakan Stock
|
||||
Make Bank Voucher,Membuat Bank Voucher
|
||||
Make Credit Note,Membuat Nota Kredit
|
||||
@ -1723,7 +1723,7 @@ Net Weight UOM,Berat Bersih UOM
|
||||
Net Weight of each Item,Berat Bersih dari setiap Item
|
||||
Net pay cannot be negative,Gaji bersih yang belum dapat negatif
|
||||
Never,Tidak Pernah
|
||||
New ,
|
||||
New ,New
|
||||
New Account,Akun baru
|
||||
New Account Name,New Account Name
|
||||
New BOM,New BOM
|
||||
@ -1789,7 +1789,7 @@ No permission,Tidak ada izin
|
||||
No record found,Tidak ada catatan ditemukan
|
||||
No records found in the Invoice table,Tidak ada catatan yang ditemukan dalam tabel Faktur
|
||||
No records found in the Payment table,Tidak ada catatan yang ditemukan dalam tabel Pembayaran
|
||||
No salary slip found for month: ,
|
||||
No salary slip found for month: ,No salary slip found for month:
|
||||
Non Profit,Non Profit
|
||||
Nos,Nos
|
||||
Not Active,Tidak Aktif
|
||||
@ -2448,8 +2448,8 @@ Root cannot have a parent cost center,Root tidak dapat memiliki pusat biaya oran
|
||||
Rounded Off,Rounded Off
|
||||
Rounded Total,Rounded Jumlah
|
||||
Rounded Total (Company Currency),Rounded Jumlah (Perusahaan Mata Uang)
|
||||
Row # ,
|
||||
Row # {0}: ,
|
||||
Row # ,Row #
|
||||
Row # {0}: ,Row # {0}:
|
||||
Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Row # {0}: qty Memerintahkan tidak bisa kurang dari minimum qty pesanan item (didefinisikan dalam master barang).
|
||||
Row #{0}: Please specify Serial No for Item {1},Row # {0}: Silakan tentukan Serial ada untuk Item {1}
|
||||
Row {0}: Account does not match with \ Purchase Invoice Credit To account,Row {0}: Akun tidak cocok dengan \ Purchase Invoice Kredit Untuk account
|
||||
@ -2751,7 +2751,7 @@ Stock Ageing,Stock Penuaan
|
||||
Stock Analytics,Stock Analytics
|
||||
Stock Assets,Aset saham
|
||||
Stock Balance,Stock Balance
|
||||
Stock Entries already created for Production Order ,
|
||||
Stock Entries already created for Production Order ,Stock Entries already created for Production Order
|
||||
Stock Entry,Stock Entri
|
||||
Stock Entry Detail,Stock Masuk Detil
|
||||
Stock Expenses,Beban saham
|
||||
@ -2797,7 +2797,7 @@ Submit all salary slips for the above selected criteria,Menyerahkan semua slip g
|
||||
Submit this Production Order for further processing.,Kirim Produksi ini Order untuk diproses lebih lanjut.
|
||||
Submitted,Dikirim
|
||||
Subsidiary,Anak Perusahaan
|
||||
Successful: ,
|
||||
Successful: ,Successful:
|
||||
Successfully Reconciled,Berhasil Berdamai
|
||||
Suggestions,Saran
|
||||
Sunday,Minggu
|
||||
@ -2915,7 +2915,7 @@ The Organization,Organisasi
|
||||
"The account head under Liability, in which Profit/Loss will be booked","Account kepala di bawah Kewajiban, di mana Laba / Rugi akan dipesan"
|
||||
The date on which next invoice will be generated. It is generated on submit.,Tanggal dimana faktur berikutnya akan dihasilkan. Hal ini dihasilkan di submit.
|
||||
The date on which recurring invoice will be stop,Tanggal dimana berulang faktur akan berhenti
|
||||
"The day of the month on which auto invoice will be generated e.g. 05, 28 etc ",
|
||||
"The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","The day of the month on which auto invoice will be generated e.g. 05, 28 etc "
|
||||
The day(s) on which you are applying for leave are holiday. You need not apply for leave.,Hari (s) yang Anda lamar untuk cuti adalah liburan. Anda tidak perlu mengajukan cuti.
|
||||
The first Leave Approver in the list will be set as the default Leave Approver,The Approver Cuti pertama dalam daftar akan ditetapkan sebagai default Tinggalkan Approver
|
||||
The first user will become the System Manager (you can change that later).,Pengguna pertama akan menjadi System Manager (Anda dapat mengubah nanti).
|
||||
@ -3002,7 +3002,7 @@ Total Advance,Jumlah Uang Muka
|
||||
Total Amount,Jumlah Total
|
||||
Total Amount To Pay,Jumlah Total Untuk Bayar
|
||||
Total Amount in Words,Jumlah Total Kata
|
||||
Total Billing This Year: ,
|
||||
Total Billing This Year: ,Total Billing This Year:
|
||||
Total Characters,Jumlah Karakter
|
||||
Total Claimed Amount,Jumlah Total Diklaim
|
||||
Total Commission,Jumlah Komisi
|
||||
|
|
@ -254,8 +254,8 @@ Approving Role,Regola Approvazione
|
||||
Approving Role cannot be same as role the rule is Applicable To,Approvazione ruolo non può essere lo stesso ruolo la regola è applicabile ad
|
||||
Approving User,Utente Certificatore
|
||||
Approving User cannot be same as user the rule is Applicable To,Approvazione utente non può essere uguale all'utente la regola è applicabile ad
|
||||
Are you sure you want to STOP ,
|
||||
Are you sure you want to UNSTOP ,
|
||||
Are you sure you want to STOP ,Are you sure you want to STOP
|
||||
Are you sure you want to UNSTOP ,Are you sure you want to UNSTOP
|
||||
Arrear Amount,Importo posticipata
|
||||
"As Production Order can be made for this item, it must be a stock item.","Come ordine di produzione può essere fatta per questo articolo , deve essere un elemento di magazzino ."
|
||||
As per Stock UOM,Per Stock UOM
|
||||
@ -284,7 +284,7 @@ Auto Accounting For Stock Settings,Contabilità Auto Per Impostazioni Immagini
|
||||
Auto Material Request,Richiesta Materiale Auto
|
||||
Auto-raise Material Request if quantity goes below re-order level in a warehouse,Auto aumenta Materiale Richiesta se la quantità scende sotto il livello di riordino in un magazzino
|
||||
Automatically compose message on submission of transactions.,Comporre automaticamente il messaggio di presentazione delle transazioni .
|
||||
Automatically extract Job Applicants from a mail box ,
|
||||
Automatically extract Job Applicants from a mail box ,Automatically extract Job Applicants from a mail box
|
||||
Automatically extract Leads from a mail box e.g.,Estrarre automaticamente Leads da una casella di posta elettronica ad esempio
|
||||
Automatically updated via Stock Entry of type Manufacture/Repack,Aggiornato automaticamente via Archivio Entrata di tipo Produzione / Repack
|
||||
Automotive,Automotive
|
||||
@ -511,7 +511,7 @@ Clearance Date,Data Liquidazione
|
||||
Clearance Date not mentioned,Liquidazione data non menzionato
|
||||
Clearance date cannot be before check date in row {0},Data di Liquidazione non può essere prima della data di arrivo in riga {0}
|
||||
Click on 'Make Sales Invoice' button to create a new Sales Invoice.,Clicca sul pulsante 'Crea Fattura Vendita' per creare una nuova Fattura di Vendita
|
||||
Click on a link to get options to expand get options ,
|
||||
Click on a link to get options to expand get options ,Click on a link to get options to expand get options
|
||||
Client,Intestatario
|
||||
Close Balance Sheet and book Profit or Loss.,Chiudere Stato Patrimoniale e il libro utile o perdita .
|
||||
Closed,Chiuso
|
||||
@ -841,13 +841,13 @@ Distributor,Distributore
|
||||
Divorced,Divorced
|
||||
Do Not Contact,Non Contattaci
|
||||
Do not show any symbol like $ etc next to currencies.,Non visualizzare nessun simbolo tipo € dopo le Valute.
|
||||
Do really want to unstop production order: ,
|
||||
Do you really want to STOP ,
|
||||
Do really want to unstop production order: ,Do really want to unstop production order:
|
||||
Do you really want to STOP ,Do you really want to STOP
|
||||
Do you really want to STOP this Material Request?,Vuoi davvero fermare questo materiale Request ?
|
||||
Do you really want to Submit all Salary Slip for month {0} and year {1},Vuoi davvero a presentare tutti foglio paga per il mese {0} e l'anno {1}
|
||||
Do you really want to UNSTOP ,
|
||||
Do you really want to UNSTOP ,Do you really want to UNSTOP
|
||||
Do you really want to UNSTOP this Material Request?,Vuoi davvero a stappare questa Materiale Richiedi ?
|
||||
Do you really want to stop production order: ,
|
||||
Do you really want to stop production order: ,Do you really want to stop production order:
|
||||
Doc Name,Nome Doc
|
||||
Doc Type,Tipo Doc
|
||||
Document Description,Descrizione del documento
|
||||
@ -899,7 +899,7 @@ Electronics,elettronica
|
||||
Email,Email
|
||||
Email Digest,Email di massa
|
||||
Email Digest Settings,Impostazioni Email di Massa
|
||||
Email Digest: ,
|
||||
Email Digest: ,Email Digest:
|
||||
Email Id,ID Email
|
||||
"Email Id where a job applicant will email e.g. ""jobs@example.com""","Email del candidato deve essere del tipo ""jobs@example.com"""
|
||||
Email Notifications,Notifiche e-mail
|
||||
@ -959,7 +959,7 @@ Enter url parameter for receiver nos,Inserisci parametri url per NOS ricevuti
|
||||
Entertainment & Leisure,Intrattenimento e tempo libero
|
||||
Entertainment Expenses,Spese di rappresentanza
|
||||
Entries,Voci
|
||||
Entries against ,
|
||||
Entries against ,Entries against
|
||||
Entries are not allowed against this Fiscal Year if the year is closed.,Voci non permesse in confronto ad un Anno Fiscale già chiuso.
|
||||
Equity,equità
|
||||
Error: {0} > {1},Errore: {0} > {1}
|
||||
@ -1574,7 +1574,7 @@ Maintenance Visit Purpose,Visita di manutenzione Scopo
|
||||
Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Manutenzione Visita {0} deve essere cancellato prima di annullare questo ordine di vendita
|
||||
Maintenance start date can not be before delivery date for Serial No {0},Manutenzione data di inizio non può essere prima della data di consegna per Serial No {0}
|
||||
Major/Optional Subjects,Principali / Opzionale Soggetti
|
||||
Make ,
|
||||
Make ,Make
|
||||
Make Accounting Entry For Every Stock Movement,Fai Entry Accounting per ogni Archivio Movimento
|
||||
Make Bank Voucher,Fai Voucher Banca
|
||||
Make Credit Note,Fai la nota di credito
|
||||
@ -1723,7 +1723,7 @@ Net Weight UOM,UOM Peso netto
|
||||
Net Weight of each Item,Peso netto di ogni articolo
|
||||
Net pay cannot be negative,Retribuzione netta non può essere negativo
|
||||
Never,Mai
|
||||
New ,
|
||||
New ,New
|
||||
New Account,nuovo account
|
||||
New Account Name,Nuovo nome account
|
||||
New BOM,Nuovo BOM
|
||||
@ -2449,7 +2449,7 @@ Rounded Off,arrotondato
|
||||
Rounded Total,Totale arrotondato
|
||||
Rounded Total (Company Currency),Totale arrotondato (Azienda valuta)
|
||||
Row # ,Row #
|
||||
Row # {0}: ,
|
||||
Row # {0}: ,Row # {0}:
|
||||
Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Row # {0}: quantità ordinata non può a meno di quantità di ordine minimo dell'elemento (definito al punto master).
|
||||
Row #{0}: Please specify Serial No for Item {1},Row # {0}: Si prega di specificare Numero d'ordine per la voce {1}
|
||||
Row {0}: Account does not match with \ Purchase Invoice Credit To account,Riga {0}: Account non corrisponde con \ Acquisto fattura accreditare sul suo conto
|
||||
@ -2751,7 +2751,7 @@ Stock Ageing,Invecchiamento Archivio
|
||||
Stock Analytics,Analytics Archivio
|
||||
Stock Assets,Attivo Immagini
|
||||
Stock Balance,Archivio Balance
|
||||
Stock Entries already created for Production Order ,
|
||||
Stock Entries already created for Production Order ,Stock Entries already created for Production Order
|
||||
Stock Entry,Archivio Entry
|
||||
Stock Entry Detail,Dell'entrata Stock Detail
|
||||
Stock Expenses,Spese Immagini
|
||||
|
|
File diff suppressed because it is too large
Load Diff
@ -1,5 +1,5 @@
|
||||
(Half Day),
|
||||
and year: ,
|
||||
(Half Day), (Half Day)
|
||||
and year: , and year:
|
||||
""" does not exists",""" ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ"
|
||||
% Delivered,ತಲುಪಿಸಲಾಗಿದೆ %
|
||||
% Amount Billed,ಖ್ಯಾತವಾದ % ಪ್ರಮಾಣ
|
||||
@ -92,7 +92,7 @@ Accounts Payable,ಖಾತೆಗಳನ್ನು ಕೊಡಬೇಕಾದ
|
||||
Accounts Receivable,ಸ್ವೀಕರಿಸುವಂತಹ ಖಾತೆಗಳು
|
||||
Accounts Settings,ಸೆಟ್ಟಿಂಗ್ಗಳು ಖಾತೆಗಳು
|
||||
Active,ಕ್ರಿಯಾಶೀಲ
|
||||
Active: Will extract emails from ,
|
||||
Active: Will extract emails from ,Active: Will extract emails from
|
||||
Activity,ಚಟುವಟಿಕೆ
|
||||
Activity Log,ಚಟುವಟಿಕೆ ಲಾಗ್
|
||||
Activity Log:,ಚಟುವಟಿಕೆ ಲಾಗ್ :
|
||||
@ -254,8 +254,8 @@ Approving Role,ಅಂಗೀಕಾರಕ್ಕಾಗಿ ಪಾತ್ರ
|
||||
Approving Role cannot be same as role the rule is Applicable To,ಪಾತ್ರ ನಿಯಮ ಅನ್ವಯವಾಗುತ್ತದೆ ಪಾತ್ರ ಅನುಮೋದನೆ ಇರಲಾಗುವುದಿಲ್ಲ
|
||||
Approving User,ಅಂಗೀಕಾರಕ್ಕಾಗಿ ಬಳಕೆದಾರ
|
||||
Approving User cannot be same as user the rule is Applicable To,ಬಳಕೆದಾರ ನಿಯಮ ಅನ್ವಯವಾಗುತ್ತದೆ ಎಂದು ಬಳಕೆದಾರ ಅನುಮೋದನೆ ಇರಲಾಗುವುದಿಲ್ಲ
|
||||
Are you sure you want to STOP ,
|
||||
Are you sure you want to UNSTOP ,
|
||||
Are you sure you want to STOP ,Are you sure you want to STOP
|
||||
Are you sure you want to UNSTOP ,Are you sure you want to UNSTOP
|
||||
Arrear Amount,ಬಾಕಿ ಪ್ರಮಾಣ
|
||||
"As Production Order can be made for this item, it must be a stock item.","ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ಈ ಐಟಂ ಮಾಡಬಹುದು ಎಂದು, ಇದು ಒಂದು ಸ್ಟಾಕ್ ಐಟಂ ಇರಬೇಕು ."
|
||||
As per Stock UOM,ಸ್ಟಾಕ್ UOM ಪ್ರಕಾರ
|
||||
@ -284,7 +284,7 @@ Auto Accounting For Stock Settings,ಸ್ಟಾಕ್ ಸೆಟ್ಟಿಂಗ
|
||||
Auto Material Request,ಆಟೋ ಉತ್ಪನ್ನ ವಿನಂತಿ
|
||||
Auto-raise Material Request if quantity goes below re-order level in a warehouse,ಆಟೋ ಐಟಿ ವಸ್ತು ವಿನಂತಿಯನ್ನು ಪ್ರಮಾಣ ಉಗ್ರಾಣದಲ್ಲಿ ಮತ್ತೆ ಸಲುವಾಗಿ ಮಟ್ಟಕ್ಕಿಂತ ಹೋದಲ್ಲಿ
|
||||
Automatically compose message on submission of transactions.,ಸ್ವಯಂಚಾಲಿತವಾಗಿ ವ್ಯವಹಾರಗಳ ಸಲ್ಲಿಕೆಯಲ್ಲಿ ಸಂದೇಶವನ್ನು ರಚಿಸಿದರು .
|
||||
Automatically extract Job Applicants from a mail box ,
|
||||
Automatically extract Job Applicants from a mail box ,Automatically extract Job Applicants from a mail box
|
||||
Automatically extract Leads from a mail box e.g.,ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಮೇಲ್ ಬಾಕ್ಸ್ ಇ ಜಿ ಕಾರಣವಾಗುತ್ತದೆ ಹೊರತೆಗೆಯಲು
|
||||
Automatically updated via Stock Entry of type Manufacture/Repack,ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಮಾದರಿ ತಯಾರಿಕೆ / ಮತ್ತೆ ಮೂಟೆಕಟ್ಟು ನೆಲದ ಪ್ರವೇಶ ಮೂಲಕ ಅಪ್ಡೇಟ್ಗೊಳಿಸಲಾಗಿದೆ
|
||||
Automotive,ಆಟೋಮೋಟಿವ್
|
||||
@ -511,7 +511,7 @@ Clearance Date,ಕ್ಲಿಯರೆನ್ಸ್ ದಿನಾಂಕ
|
||||
Clearance Date not mentioned,ಕ್ಲಿಯರೆನ್ಸ್ ದಿನಾಂಕ ಪ್ರಸ್ತಾಪಿಸಿದ್ದಾರೆ
|
||||
Clearance date cannot be before check date in row {0},ಕ್ಲಿಯರೆನ್ಸ್ ದಿನಾಂಕ ದಿನಾಂಕ ಸತತವಾಗಿ ಚೆಕ್ ಮೊದಲು ಸಾಧ್ಯವಿಲ್ಲ {0}
|
||||
Click on 'Make Sales Invoice' button to create a new Sales Invoice.,ಹೊಸ ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ರಚಿಸಲು ' ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಮಾಡಿ ' ಗುಂಡಿಯನ್ನು ಕ್ಲಿಕ್ ಮಾಡಿ .
|
||||
Click on a link to get options to expand get options ,
|
||||
Click on a link to get options to expand get options ,Click on a link to get options to expand get options
|
||||
Client,ಕಕ್ಷಿಗಾರ
|
||||
Close Balance Sheet and book Profit or Loss.,ಮುಚ್ಚಿ ಬ್ಯಾಲೆನ್ಸ್ ಶೀಟ್ ಮತ್ತು ಪುಸ್ತಕ ಲಾಭ ಅಥವಾ ನಷ್ಟ .
|
||||
Closed,ಮುಚ್ಚಲಾಗಿದೆ
|
||||
@ -841,13 +841,13 @@ Distributor,ವಿತರಕ
|
||||
Divorced,ವಿವಾಹವಿಚ್ಛೇದಿತ
|
||||
Do Not Contact,ಸಂಪರ್ಕಿಸಿ ಇಲ್ಲ
|
||||
Do not show any symbol like $ etc next to currencies.,ಮುಂದಿನ ಕರೆನ್ಸಿಗಳ $ ಇತ್ಯಾದಿ ಯಾವುದೇ ಸಂಕೇತ ತೋರಿಸುವುದಿಲ್ಲ.
|
||||
Do really want to unstop production order: ,
|
||||
Do you really want to STOP ,
|
||||
Do really want to unstop production order: ,Do really want to unstop production order:
|
||||
Do you really want to STOP ,Do you really want to STOP
|
||||
Do you really want to STOP this Material Request?,ನೀವು ನಿಜವಾಗಿಯೂ ಈ ವಸ್ತು ವಿನಂತಿಯನ್ನು ನಿಲ್ಲಿಸಲು ಬಯಸುತ್ತೀರಾ ?
|
||||
Do you really want to Submit all Salary Slip for month {0} and year {1},ನೀವು ನಿಜವಾಗಿಯೂ {0} {1} ತಿಂಗಳು ಮತ್ತು ವರ್ಷದ ಸಂಬಳ ಸ್ಲಿಪ್ ಎಲ್ಲಾ ಸಲ್ಲಿಸಲು ಬಯಸುತ್ತೀರಾ
|
||||
Do you really want to UNSTOP ,
|
||||
Do you really want to UNSTOP ,Do you really want to UNSTOP
|
||||
Do you really want to UNSTOP this Material Request?,ನೀವು ನಿಜವಾಗಿಯೂ ಈ ವಸ್ತು ವಿನಂತಿಯನ್ನು ಅಡ್ಡಿಯಾಗಿರುವುದನ್ನು ಬಿಡಿಸು ಬಯಸುವಿರಾ?
|
||||
Do you really want to stop production order: ,
|
||||
Do you really want to stop production order: ,Do you really want to stop production order:
|
||||
Doc Name,ಡಾಕ್ ಹೆಸರು
|
||||
Doc Type,ಡಾಕ್ ಪ್ರಕಾರ
|
||||
Document Description,ಡಾಕ್ಯುಮೆಂಟ್ ವಿವರಣೆ
|
||||
@ -899,7 +899,7 @@ Electronics,ಇಲೆಕ್ಟ್ರಾನಿಕ್ ಶಾಸ್ತ್ರ
|
||||
Email,ಗಾಜುಲೇಪ
|
||||
Email Digest,ಡೈಜೆಸ್ಟ್ ಇಮೇಲ್
|
||||
Email Digest Settings,ಡೈಜೆಸ್ಟ್ ಇಮೇಲ್ ಸೆಟ್ಟಿಂಗ್ಗಳು
|
||||
Email Digest: ,
|
||||
Email Digest: ,Email Digest:
|
||||
Email Id,ಮಿಂಚಂಚೆ
|
||||
"Email Id where a job applicant will email e.g. ""jobs@example.com""","ಕೆಲಸ ಅರ್ಜಿದಾರರ ಇಮೇಲ್ ಅಲ್ಲಿ ಮಿಂಚಂಚೆ ಇ ಜಿ "" Jobs@example.com """
|
||||
Email Notifications,ಇಮೇಲ್ ಅಧಿಸೂಚನೆಗಳನ್ನು
|
||||
@ -927,7 +927,7 @@ Employee Settings,ನೌಕರರ ಸೆಟ್ಟಿಂಗ್ಗಳು
|
||||
Employee Type,ನೌಕರರ ಪ್ರಕಾರ
|
||||
"Employee designation (e.g. CEO, Director etc.).","ನೌಕರರ ಹುದ್ದೆ ( ಇ ಜಿ ಸಿಇಒ , ನಿರ್ದೇಶಕ , ಇತ್ಯಾದಿ ) ."
|
||||
Employee master.,ನೌಕರರ ಮಾಸ್ಟರ್ .
|
||||
Employee record is created using selected field. ,
|
||||
Employee record is created using selected field. ,Employee record is created using selected field.
|
||||
Employee records.,ನೌಕರರ ದಾಖಲೆಗಳು .
|
||||
Employee relieved on {0} must be set as 'Left',{0} ಮೇಲೆ ಬಿಡುಗಡೆ ನೌಕರರ ' ಎಡ ' ಹೊಂದಿಸಿ
|
||||
Employee {0} has already applied for {1} between {2} and {3},ನೌಕರರ {0} ಈಗಾಗಲೇ {1} {2} ಮತ್ತು ನಡುವೆ ಅನ್ವಯಿಸಿದ್ದಾರೆ {3}
|
||||
@ -959,7 +959,7 @@ Enter url parameter for receiver nos,ರಿಸೀವರ್ ಸೂಲ URL ಅ
|
||||
Entertainment & Leisure,ಮನರಂಜನೆ ಮತ್ತು ವಿರಾಮ
|
||||
Entertainment Expenses,ಮನೋರಂಜನೆ ವೆಚ್ಚಗಳು
|
||||
Entries,ನಮೂದುಗಳು
|
||||
Entries against ,
|
||||
Entries against ,Entries against
|
||||
Entries are not allowed against this Fiscal Year if the year is closed.,ವರ್ಷ ಮುಚ್ಚಲಾಗಿದೆ ವೇಳೆ ನಮೂದುಗಳು ಈ ಆರ್ಥಿಕ ವರ್ಷ ವಿರುದ್ಧ ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ.
|
||||
Equity,ಇಕ್ವಿಟಿ
|
||||
Error: {0} > {1},ದೋಷ : {0} > {1}
|
||||
@ -1024,7 +1024,7 @@ Exports,ರಫ್ತು
|
||||
External,ಬಾಹ್ಯ
|
||||
Extract Emails,ಇಮೇಲ್ಗಳನ್ನು ಹೊರತೆಗೆಯಲು
|
||||
FCFS Rate,FCFS ದರ
|
||||
Failed: ,
|
||||
Failed: ,Failed:
|
||||
Family Background,ಕೌಟುಂಬಿಕ ಹಿನ್ನೆಲೆ
|
||||
Fax,ಫ್ಯಾಕ್ಸ್
|
||||
Features Setup,ವೈಶಿಷ್ಟ್ಯಗಳು ಸೆಟಪ್
|
||||
@ -1245,7 +1245,7 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged
|
||||
If you involve in manufacturing activity. Enables Item 'Is Manufactured',ನೀವು ಉತ್ಪಾದನಾ ಚಟುವಟಿಕೆ ಒಳಗೊಂಡಿರುತ್ತವೆ ವೇಳೆ . ಐಟಂ ಸಕ್ರಿಯಗೊಳಿಸುತ್ತದೆ ' ತಯಾರಿಸುತ್ತದೆ '
|
||||
Ignore,ಕಡೆಗಣಿಸು
|
||||
Ignore Pricing Rule,ಬೆಲೆ ರೂಲ್ ನಿರ್ಲಕ್ಷಿಸು
|
||||
Ignored: ,
|
||||
Ignored: ,Ignored:
|
||||
Image,ಚಿತ್ರ
|
||||
Image View,ImageView
|
||||
Implementation Partner,ಅನುಷ್ಠಾನ ಸಂಗಾತಿ
|
||||
@ -1574,7 +1574,7 @@ Maintenance Visit Purpose,ನಿರ್ವಹಣೆ ಭೇಟಿ ಉದ್ದ
|
||||
Maintenance Visit {0} must be cancelled before cancelling this Sales Order,ನಿರ್ವಹಣೆ ಭೇಟಿ {0} ಈ ಮಾರಾಟದ ಆದೇಶವನ್ನು ರದ್ದುಗೊಳಿಸುವ ಮೊದಲು ರದ್ದು ಮಾಡಬೇಕು
|
||||
Maintenance start date can not be before delivery date for Serial No {0},ನಿರ್ವಹಣೆ ಆರಂಭ ದಿನಾಂಕ ಯಾವುದೇ ಸೀರಿಯಲ್ ವಿತರಣಾ ದಿನಾಂಕದ ಮೊದಲು ಸಾಧ್ಯವಿಲ್ಲ {0}
|
||||
Major/Optional Subjects,ಮೇಜರ್ / ಐಚ್ಛಿಕ ವಿಷಯಗಳ
|
||||
Make ,
|
||||
Make ,Make
|
||||
Make Accounting Entry For Every Stock Movement,ಪ್ರತಿ ಸ್ಟಾಕ್ ಚಳುವಳಿ ಲೆಕ್ಕಪರಿಶೋಧಕ ಎಂಟ್ರಿ ಮಾಡಿ
|
||||
Make Bank Voucher,ಬ್ಯಾಂಕ್ ಚೀಟಿ ಮಾಡಿ
|
||||
Make Credit Note,ಕ್ರೆಡಿಟ್ ಸ್ಕೋರ್ ಮಾಡಿ
|
||||
@ -1723,7 +1723,7 @@ Net Weight UOM,ನೆಟ್ ತೂಕ UOM
|
||||
Net Weight of each Item,ಪ್ರತಿ ಐಟಂ ನೆಟ್ ತೂಕ
|
||||
Net pay cannot be negative,ನಿವ್ವಳ ವೇತನ ಋಣಾತ್ಮಕ ಇರುವಂತಿಲ್ಲ
|
||||
Never,ನೆವರ್
|
||||
New ,
|
||||
New ,New
|
||||
New Account,ಹೊಸ ಖಾತೆ
|
||||
New Account Name,ಹೊಸ ಖಾತೆ ಹೆಸರು
|
||||
New BOM,ಹೊಸ BOM
|
||||
@ -1789,7 +1789,7 @@ No permission,ಯಾವುದೇ ಅನುಮತಿ
|
||||
No record found,ಯಾವುದೇ ದಾಖಲೆ
|
||||
No records found in the Invoice table,ಸರಕುಪಟ್ಟಿ ಕೋಷ್ಟಕದಲ್ಲಿ ಯಾವುದೇ ದಾಖಲೆಗಳು
|
||||
No records found in the Payment table,ಪಾವತಿ ಕೋಷ್ಟಕದಲ್ಲಿ ಯಾವುದೇ ದಾಖಲೆಗಳು
|
||||
No salary slip found for month: ,
|
||||
No salary slip found for month: ,No salary slip found for month:
|
||||
Non Profit,ಲಾಭಾಪೇಕ್ಷೆಯಿಲ್ಲದ
|
||||
Nos,ಸೂಲ
|
||||
Not Active,ಸಕ್ರಿಯವಾಗಿರದ
|
||||
@ -2448,8 +2448,8 @@ Root cannot have a parent cost center,ರೂಟ್ ಪೋಷಕರು ವ
|
||||
Rounded Off,ಆಫ್ ದುಂಡಾದ
|
||||
Rounded Total,ದುಂಡಾದ ಒಟ್ಟು
|
||||
Rounded Total (Company Currency),ದುಂಡಾದ ಒಟ್ಟು ( ಕಂಪನಿ ಕರೆನ್ಸಿ )
|
||||
Row # ,
|
||||
Row # {0}: ,
|
||||
Row # ,Row #
|
||||
Row # {0}: ,Row # {0}:
|
||||
Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,ರೋ # {0}: ಆದೇಶಿಸಿತು ಪ್ರಮಾಣ (ಐಟಂ ಮಾಸ್ಟರ್ ವ್ಯಾಖ್ಯಾನಿಸಲಾಗಿದೆ) ಐಟಂನ ಕನಿಷ್ಠ ಪ್ರಮಾಣ ಆದೇಶ ಕಡಿಮೆ ಸಾಧ್ಯವಿಲ್ಲ.
|
||||
Row #{0}: Please specify Serial No for Item {1},ರೋ # {0}: ಐಟಂ ಯಾವುದೇ ಸೀರಿಯಲ್ ಸೂಚಿಸಲು ದಯವಿಟ್ಟು {1}
|
||||
Row {0}: Account does not match with \ Purchase Invoice Credit To account,ರೋ {0}: \ ಖರೀದಿಸಿ ಸರಕುಪಟ್ಟಿ ಕ್ರೆಡಿಟ್ ಖಾತೆಗೆ ಜೊತೆ ಹೊಂದಿಕೆಯಾಗುವುದಿಲ್ಲ
|
||||
@ -2751,7 +2751,7 @@ Stock Ageing,ಸ್ಟಾಕ್ ಏಜಿಂಗ್
|
||||
Stock Analytics,ಸ್ಟಾಕ್ ಅನಾಲಿಟಿಕ್ಸ್
|
||||
Stock Assets,ಸ್ಟಾಕ್ ಸ್ವತ್ತುಗಳು
|
||||
Stock Balance,ಸ್ಟಾಕ್ ಬ್ಯಾಲೆನ್ಸ್
|
||||
Stock Entries already created for Production Order ,
|
||||
Stock Entries already created for Production Order ,Stock Entries already created for Production Order
|
||||
Stock Entry,ಸ್ಟಾಕ್ ಎಂಟ್ರಿ
|
||||
Stock Entry Detail,ಸ್ಟಾಕ್ ಎಂಟ್ರಿ ವಿವರಗಳು
|
||||
Stock Expenses,ಸ್ಟಾಕ್ ವೆಚ್ಚಗಳು
|
||||
@ -2797,7 +2797,7 @@ Submit all salary slips for the above selected criteria,ಮೇಲೆ ಆಯ
|
||||
Submit this Production Order for further processing.,ಮತ್ತಷ್ಟು ಪ್ರಕ್ರಿಯೆಗೆ ಈ ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ಸಲ್ಲಿಸಿ .
|
||||
Submitted,ಒಪ್ಪಿಸಿದ
|
||||
Subsidiary,ಸಹಕಾರಿ
|
||||
Successful: ,
|
||||
Successful: ,Successful:
|
||||
Successfully Reconciled,ಯಶಸ್ವಿಯಾಗಿ ಮರುಕೌನ್ಸಿಲ್
|
||||
Suggestions,ಸಲಹೆಗಳು
|
||||
Sunday,ಭಾನುವಾರ
|
||||
@ -2915,7 +2915,7 @@ The Organization,ಸಂಸ್ಥೆ
|
||||
"The account head under Liability, in which Profit/Loss will be booked","ಲಾಭ / ನಷ್ಟ ಗೊತ್ತು ಯಾವ ಹೊಣೆಗಾರಿಕೆ ಅಡಿಯಲ್ಲಿ ಖಾತೆ ತಲೆ ,"
|
||||
The date on which next invoice will be generated. It is generated on submit.,ಮುಂದಿನ ಸರಕುಪಟ್ಟಿ ಸೃಷ್ಟಿಸಲಾಗುತ್ತಿಲ್ಲ ಯಾವ ದಿನಾಂಕ. ಇದು ಸಲ್ಲಿಸಲು ಮೇಲೆ ಉತ್ಪಾದಿಸಲಾಗುತ್ತದೆ.
|
||||
The date on which recurring invoice will be stop,ಮರುಕಳಿಸುವ ಸರಕುಪಟ್ಟಿ ಸ್ಟಾಪ್ ಯಾವ ದಿನಾಂಕ
|
||||
"The day of the month on which auto invoice will be generated e.g. 05, 28 etc ",
|
||||
"The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","The day of the month on which auto invoice will be generated e.g. 05, 28 etc "
|
||||
The day(s) on which you are applying for leave are holiday. You need not apply for leave.,ನೀವು ರಜೆ ಹಾಕುತ್ತಿವೆ ಮೇಲೆ ದಿನ (ಗಳು) ರಜಾ ಇವೆ . ನೀವು ಬಿಟ್ಟು ಅರ್ಜಿ ಅಗತ್ಯವಿದೆ .
|
||||
The first Leave Approver in the list will be set as the default Leave Approver,ಪಟ್ಟಿಯಲ್ಲಿ ಮೊದಲ ಲೀವ್ ಅನುಮೋದಕ ಡೀಫಾಲ್ಟ್ ಲೀವ್ ಅನುಮೋದಕ ಎಂದು ಸೆಟ್ ಮಾಡಲಾಗುತ್ತದೆ
|
||||
The first user will become the System Manager (you can change that later).,ಮೊದಲ ಬಳಕೆದಾರ ( ನೀವು ನಂತರ ಬದಲಾಯಿಸಬಹುದು ) ವ್ಯವಸ್ಥೆ ನಿರ್ವಾಹಕರಾಗುತ್ತೀರಿ.
|
||||
@ -3002,7 +3002,7 @@ Total Advance,ಒಟ್ಟು ಅಡ್ವಾನ್ಸ್
|
||||
Total Amount,ಒಟ್ಟು ಪ್ರಮಾಣ
|
||||
Total Amount To Pay,ಪಾವತಿಸಲು ಒಟ್ಟು ಪ್ರಮಾಣ
|
||||
Total Amount in Words,ವರ್ಡ್ಸ್ ಒಟ್ಟು ಪ್ರಮಾಣ
|
||||
Total Billing This Year: ,
|
||||
Total Billing This Year: ,Total Billing This Year:
|
||||
Total Characters,ಒಟ್ಟು ಪಾತ್ರಗಳು
|
||||
Total Claimed Amount,ಹಕ್ಕು ಪಡೆದ ಒಟ್ಟು ಪ್ರಮಾಣ
|
||||
Total Commission,ಒಟ್ಟು ಆಯೋಗ
|
||||
|
|
@ -1,5 +1,5 @@
|
||||
(Half Day),
|
||||
and year: ,
|
||||
(Half Day), (Half Day)
|
||||
and year: , and year:
|
||||
""" does not exists","""존재하지 않습니다"
|
||||
% Delivered,% 배달
|
||||
% Amount Billed,청구 % 금액
|
||||
@ -92,7 +92,7 @@ Accounts Payable,채무
|
||||
Accounts Receivable,미수금
|
||||
Accounts Settings,계정 설정을
|
||||
Active,활성화
|
||||
Active: Will extract emails from ,
|
||||
Active: Will extract emails from ,Active: Will extract emails from
|
||||
Activity,활동 내역
|
||||
Activity Log,작업 로그
|
||||
Activity Log:,활동 로그 :
|
||||
@ -254,8 +254,8 @@ Approving Role,승인 역할
|
||||
Approving Role cannot be same as role the rule is Applicable To,역할을 승인하면 규칙이 적용됩니다 역할로 동일 할 수 없습니다
|
||||
Approving User,승인 사용자
|
||||
Approving User cannot be same as user the rule is Applicable To,사용자가 승인하면 규칙에 적용 할 수있는 사용자로 동일 할 수 없습니다
|
||||
Are you sure you want to STOP ,
|
||||
Are you sure you want to UNSTOP ,
|
||||
Are you sure you want to STOP ,Are you sure you want to STOP
|
||||
Are you sure you want to UNSTOP ,Are you sure you want to UNSTOP
|
||||
Arrear Amount,연체 금액
|
||||
"As Production Order can be made for this item, it must be a stock item.","생산 주문이 항목에 대한 만들 수 있습니다, 그것은 재고 품목 수 있어야합니다."
|
||||
As per Stock UOM,주식 UOM 당
|
||||
@ -284,7 +284,7 @@ Auto Accounting For Stock Settings,재고 설정에 대한 자동 회계
|
||||
Auto Material Request,자동 자료 요청
|
||||
Auto-raise Material Request if quantity goes below re-order level in a warehouse,자동 인상 자료 요청 수량은 창고에 다시 주문 레벨 이하로되면
|
||||
Automatically compose message on submission of transactions.,자동 거래의 제출에 메시지를 작성합니다.
|
||||
Automatically extract Job Applicants from a mail box ,
|
||||
Automatically extract Job Applicants from a mail box ,Automatically extract Job Applicants from a mail box
|
||||
Automatically extract Leads from a mail box e.g.,자동으로 메일 박스의 예에서 리드를 추출
|
||||
Automatically updated via Stock Entry of type Manufacture/Repack,자동 형 제조 / 다시 채워 스톡 엔트리를 통해 업데이트
|
||||
Automotive,자동차
|
||||
@ -511,7 +511,7 @@ Clearance Date,통관 날짜
|
||||
Clearance Date not mentioned,통관 날짜 언급되지
|
||||
Clearance date cannot be before check date in row {0},통관 날짜 행 체크인 날짜 이전 할 수 없습니다 {0}
|
||||
Click on 'Make Sales Invoice' button to create a new Sales Invoice.,새로운 판매 송장을 작성하는 '판매 송장 확인'버튼을 클릭합니다.
|
||||
Click on a link to get options to expand get options ,
|
||||
Click on a link to get options to expand get options ,Click on a link to get options to expand get options
|
||||
Client,클라이언트
|
||||
Close Balance Sheet and book Profit or Loss.,닫기 대차 대조표 및 책 이익 또는 손실.
|
||||
Closed,닫힘
|
||||
@ -841,13 +841,13 @@ Distributor,분배 자
|
||||
Divorced,이혼
|
||||
Do Not Contact,연락하지 말라
|
||||
Do not show any symbol like $ etc next to currencies.,다음 통화 $ 등과 같은 모든 기호를 표시하지 마십시오.
|
||||
Do really want to unstop production order: ,
|
||||
Do you really want to STOP ,
|
||||
Do really want to unstop production order: ,Do really want to unstop production order:
|
||||
Do you really want to STOP ,Do you really want to STOP
|
||||
Do you really want to STOP this Material Request?,당신은 정말이 자료 요청을 중지 하시겠습니까?
|
||||
Do you really want to Submit all Salary Slip for month {0} and year {1},당신은 정말 {0}과 {1} 년 달에 대한 모든 급여 슬립 제출 하시겠습니까
|
||||
Do you really want to UNSTOP ,
|
||||
Do you really want to UNSTOP ,Do you really want to UNSTOP
|
||||
Do you really want to UNSTOP this Material Request?,당신은 정말이 자료 요청을 멈추지 하시겠습니까?
|
||||
Do you really want to stop production order: ,
|
||||
Do you really want to stop production order: ,Do you really want to stop production order:
|
||||
Doc Name,문서의 이름
|
||||
Doc Type,문서 유형
|
||||
Document Description,문서 설명
|
||||
@ -899,7 +899,7 @@ Electronics,전자 공학
|
||||
Email,이메일
|
||||
Email Digest,이메일 다이제스트
|
||||
Email Digest Settings,알림 이메일 설정
|
||||
Email Digest: ,
|
||||
Email Digest: ,Email Digest:
|
||||
Email Id,이메일 아이디
|
||||
"Email Id where a job applicant will email e.g. ""jobs@example.com""","작업 신청자가 보내드립니다 이메일 ID 예를 들면 ""jobs@example.com"""
|
||||
Email Notifications,전자 메일 알림
|
||||
@ -927,7 +927,7 @@ Employee Settings,직원 설정
|
||||
Employee Type,직원 유형
|
||||
"Employee designation (e.g. CEO, Director etc.).","직원 지정 (예 : CEO, 이사 등)."
|
||||
Employee master.,직원 마스터.
|
||||
Employee record is created using selected field. ,
|
||||
Employee record is created using selected field. ,Employee record is created using selected field.
|
||||
Employee records.,직원 기록.
|
||||
Employee relieved on {0} must be set as 'Left',{0}에 안심 직원은 '왼쪽'으로 설정해야합니다
|
||||
Employee {0} has already applied for {1} between {2} and {3},직원 {0}이 (가) 이미 사이에 {1}를 신청했다 {2}와 {3}
|
||||
@ -959,7 +959,7 @@ Enter url parameter for receiver nos,수신기 NOS에 대한 URL 매개 변수
|
||||
Entertainment & Leisure,엔터테인먼트 & 레저
|
||||
Entertainment Expenses,접대비
|
||||
Entries,항목
|
||||
Entries against ,
|
||||
Entries against ,Entries against
|
||||
Entries are not allowed against this Fiscal Year if the year is closed.,올해가 닫혀있는 경우 항목이 회계 연도에 허용되지 않습니다.
|
||||
Equity,공평
|
||||
Error: {0} > {1},오류 : {0}> {1}
|
||||
@ -1024,7 +1024,7 @@ Exports,수출
|
||||
External,외부
|
||||
Extract Emails,이메일을 추출
|
||||
FCFS Rate,FCFS 평가
|
||||
Failed: ,
|
||||
Failed: ,Failed:
|
||||
Family Background,가족 배경
|
||||
Fax,팩스
|
||||
Features Setup,기능 설정
|
||||
@ -1245,7 +1245,7 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged
|
||||
If you involve in manufacturing activity. Enables Item 'Is Manufactured',당신이 생산 활동에 참여합니다.항목을 활성화는 '제조'
|
||||
Ignore,무시
|
||||
Ignore Pricing Rule,가격 규칙을 무시
|
||||
Ignored: ,
|
||||
Ignored: ,Ignored:
|
||||
Image,영상
|
||||
Image View,이미지보기
|
||||
Implementation Partner,구현 파트너
|
||||
@ -1574,7 +1574,7 @@ Maintenance Visit Purpose,유지 보수 방문 목적
|
||||
Maintenance Visit {0} must be cancelled before cancelling this Sales Order,유지 보수 방문은 {0}이 판매 주문을 취소하기 전에 취소해야합니다
|
||||
Maintenance start date can not be before delivery date for Serial No {0},유지 보수 시작 날짜 일련 번호에 대한 배달 날짜 이전 할 수 없습니다 {0}
|
||||
Major/Optional Subjects,주요 / 선택 주제
|
||||
Make ,
|
||||
Make ,Make
|
||||
Make Accounting Entry For Every Stock Movement,모든 주식 이동을위한 회계 항목을 만듭니다
|
||||
Make Bank Voucher,은행 바우처에게 확인
|
||||
Make Credit Note,신용 참고하십시오
|
||||
@ -1723,7 +1723,7 @@ Net Weight UOM,순 중량 UOM
|
||||
Net Weight of each Item,각 항목의 순 중량
|
||||
Net pay cannot be negative,순 임금은 부정 할 수 없습니다
|
||||
Never,안함
|
||||
New ,
|
||||
New ,New
|
||||
New Account,새 계정
|
||||
New Account Name,새 계정 이름
|
||||
New BOM,새로운 BOM
|
||||
@ -1789,7 +1789,7 @@ No permission,아무 권한이 없습니다
|
||||
No record found,검색된 레코드가 없습니다
|
||||
No records found in the Invoice table,송장 테이블에있는 레코드 없음
|
||||
No records found in the Payment table,지불 테이블에있는 레코드 없음
|
||||
No salary slip found for month: ,
|
||||
No salary slip found for month: ,No salary slip found for month:
|
||||
Non Profit,비영리
|
||||
Nos,NOS
|
||||
Not Active,동작 없음
|
||||
@ -2448,8 +2448,8 @@ Root cannot have a parent cost center,루트는 부모의 비용 센터를 가
|
||||
Rounded Off,둥근 오프
|
||||
Rounded Total,둥근 총
|
||||
Rounded Total (Company Currency),둥근 합계 (회사 통화)
|
||||
Row # ,
|
||||
Row # {0}: ,
|
||||
Row # ,Row #
|
||||
Row # {0}: ,Row # {0}:
|
||||
Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,행 # {0} : 주문 된 수량 (품목 마스터에 정의 된) 항목의 최소 주문 수량보다 적은 수 없습니다.
|
||||
Row #{0}: Please specify Serial No for Item {1},행 번호는 {0} 항목에 대한 일련 번호를 지정하십시오 {1}
|
||||
Row {0}: Account does not match with \ Purchase Invoice Credit To account,행 {0} : \ 구매 송장 신용 계정에 대한 계정과 일치하지 않습니다
|
||||
@ -2751,7 +2751,7 @@ Stock Ageing,주식 고령화
|
||||
Stock Analytics,증권 분석
|
||||
Stock Assets,재고 자산
|
||||
Stock Balance,주식 대차
|
||||
Stock Entries already created for Production Order ,
|
||||
Stock Entries already created for Production Order ,Stock Entries already created for Production Order
|
||||
Stock Entry,재고 항목
|
||||
Stock Entry Detail,재고 항목의 세부 사항
|
||||
Stock Expenses,재고 비용
|
||||
@ -2797,7 +2797,7 @@ Submit all salary slips for the above selected criteria,위의 선택 기준에
|
||||
Submit this Production Order for further processing.,추가 처리를 위해이 생산 주문을 제출합니다.
|
||||
Submitted,제출
|
||||
Subsidiary,자회사
|
||||
Successful: ,
|
||||
Successful: ,Successful:
|
||||
Successfully Reconciled,성공적으로 조정 됨
|
||||
Suggestions,제안
|
||||
Sunday,일요일
|
||||
@ -2915,7 +2915,7 @@ The Organization,조직
|
||||
"The account head under Liability, in which Profit/Loss will be booked","이익 / 손실은 예약 할 수있는 책임에서 계정 머리,"
|
||||
The date on which next invoice will be generated. It is generated on submit.,다음 송장이 생성되는 날짜입니다.그것은 제출에 생성됩니다.
|
||||
The date on which recurring invoice will be stop,반복 송장이 중단 될 일자
|
||||
"The day of the month on which auto invoice will be generated e.g. 05, 28 etc ",
|
||||
"The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","The day of the month on which auto invoice will be generated e.g. 05, 28 etc "
|
||||
The day(s) on which you are applying for leave are holiday. You need not apply for leave.,당신이 허가를 신청하는 날 (들)은 휴일입니다.당신은 휴가를 신청할 필요가 없습니다.
|
||||
The first Leave Approver in the list will be set as the default Leave Approver,목록의 첫 번째 허가 승인자는 기본 남겨 승인자로 설정됩니다
|
||||
The first user will become the System Manager (you can change that later).,첫 번째 사용자 (당신은 나중에 변경할 수 있습니다) 시스템 관리자가 될 것입니다.
|
||||
@ -3002,7 +3002,7 @@ Total Advance,전체 사전
|
||||
Total Amount,총액
|
||||
Total Amount To Pay,지불하는 총 금액
|
||||
Total Amount in Words,단어의 합계 금액
|
||||
Total Billing This Year: ,
|
||||
Total Billing This Year: ,Total Billing This Year:
|
||||
Total Characters,전체 문자
|
||||
Total Claimed Amount,총 주장 금액
|
||||
Total Commission,전체위원회
|
||||
|
|
@ -254,8 +254,8 @@ Approving Role,Goedkeuren Rol
|
||||
Approving Role cannot be same as role the rule is Applicable To,Goedkeuring Rol kan niet hetzelfde zijn als de rol van de regel is van toepassing op
|
||||
Approving User,Goedkeuren Gebruiker
|
||||
Approving User cannot be same as user the rule is Applicable To,Goedkeuring van Gebruiker kan niet hetzelfde zijn als gebruiker de regel is van toepassing op
|
||||
Are you sure you want to STOP ,
|
||||
Are you sure you want to UNSTOP ,
|
||||
Are you sure you want to STOP ,Are you sure you want to STOP
|
||||
Are you sure you want to UNSTOP ,Are you sure you want to UNSTOP
|
||||
Arrear Amount,Achterstallig bedrag
|
||||
"As Production Order can be made for this item, it must be a stock item.","Zoals productieorder kan worden gemaakt voor dit punt, moet het een voorraad item."
|
||||
As per Stock UOM,Per Stock Verpakking
|
||||
@ -284,7 +284,7 @@ Auto Accounting For Stock Settings,Auto Accounting Voor Stock Instellingen
|
||||
Auto Material Request,Automatisch Materiaal Request
|
||||
Auto-raise Material Request if quantity goes below re-order level in a warehouse,Auto-raise Materiaal aanvragen als kwantiteit gaat onder re-orde niveau in een magazijn
|
||||
Automatically compose message on submission of transactions.,Bericht automatisch samenstellen overlegging van transacties .
|
||||
Automatically extract Job Applicants from a mail box ,
|
||||
Automatically extract Job Applicants from a mail box ,Automatically extract Job Applicants from a mail box
|
||||
Automatically extract Leads from a mail box e.g.,Leads automatisch extraheren uit een brievenbus bijv.
|
||||
Automatically updated via Stock Entry of type Manufacture/Repack,Automatisch geüpdate via Stock positie van het type Vervaardiging / Verpak
|
||||
Automotive,Automotive
|
||||
@ -511,7 +511,7 @@ Clearance Date,Clearance Datum
|
||||
Clearance Date not mentioned,Ontruiming Datum niet vermeld
|
||||
Clearance date cannot be before check date in row {0},Klaring mag niet voor check datum in rij {0}
|
||||
Click on 'Make Sales Invoice' button to create a new Sales Invoice.,Klik op 'Sales Invoice' knop om een nieuwe verkoopfactuur maken.
|
||||
Click on a link to get options to expand get options ,
|
||||
Click on a link to get options to expand get options ,Click on a link to get options to expand get options
|
||||
Client,Klant
|
||||
Close Balance Sheet and book Profit or Loss.,Sluiten Balans en boek Winst of verlies .
|
||||
Closed,Gesloten
|
||||
@ -841,13 +841,13 @@ Distributor,Verdeler
|
||||
Divorced,Gescheiden
|
||||
Do Not Contact,Neem geen contact op
|
||||
Do not show any symbol like $ etc next to currencies.,"Vertonen geen symbool zoals $, enz. naast valuta."
|
||||
Do really want to unstop production order: ,
|
||||
Do you really want to STOP ,
|
||||
Do really want to unstop production order: ,Do really want to unstop production order:
|
||||
Do you really want to STOP ,Do you really want to STOP
|
||||
Do you really want to STOP this Material Request?,Wil je echt wilt dit materiaal afbreken ?
|
||||
Do you really want to Submit all Salary Slip for month {0} and year {1},Wil je echt alle salarisstrook voor de maand indienen {0} en {1} jaar
|
||||
Do you really want to UNSTOP ,
|
||||
Do you really want to UNSTOP ,Do you really want to UNSTOP
|
||||
Do you really want to UNSTOP this Material Request?,Wil je echt wilt dit materiaal aanvragen opendraaien ?
|
||||
Do you really want to stop production order: ,
|
||||
Do you really want to stop production order: ,Do you really want to stop production order:
|
||||
Doc Name,Doc Naam
|
||||
Doc Type,Doc Type
|
||||
Document Description,Document Beschrijving
|
||||
@ -899,7 +899,7 @@ Electronics,elektronica
|
||||
Email,E-mail
|
||||
Email Digest,E-mail Digest
|
||||
Email Digest Settings,E-mail Digest Instellingen
|
||||
Email Digest: ,
|
||||
Email Digest: ,Email Digest:
|
||||
Email Id,E-mail Identiteitskaart
|
||||
"Email Id where a job applicant will email e.g. ""jobs@example.com""",E-mail Identiteitskaart waar een sollicitant zal bijvoorbeeld "jobs@example.com" e-mail
|
||||
Email Notifications,e-mailberichten
|
||||
@ -959,7 +959,7 @@ Enter url parameter for receiver nos,Voer URL-parameter voor de ontvanger nos
|
||||
Entertainment & Leisure,Uitgaan & Vrije Tijd
|
||||
Entertainment Expenses,representatiekosten
|
||||
Entries,Inzendingen
|
||||
Entries against ,
|
||||
Entries against ,Entries against
|
||||
Entries are not allowed against this Fiscal Year if the year is closed.,Inzendingen zijn niet toegestaan tegen deze fiscale jaar als het jaar gesloten is.
|
||||
Equity,billijkheid
|
||||
Error: {0} > {1},Fout : {0} > {1}
|
||||
@ -1574,7 +1574,7 @@ Maintenance Visit Purpose,Onderhoud Bezoek Doel
|
||||
Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Onderhoud Bezoek {0} moet worden geannuleerd voordat het annuleren van deze verkooporder
|
||||
Maintenance start date can not be before delivery date for Serial No {0},Onderhoud startdatum kan niet voor de leveringsdatum voor Serienummer {0}
|
||||
Major/Optional Subjects,Major / keuzevakken
|
||||
Make ,
|
||||
Make ,Make
|
||||
Make Accounting Entry For Every Stock Movement,Maak boekhoudkundige afschrijving voor elke Stock Movement
|
||||
Make Bank Voucher,Maak Bank Voucher
|
||||
Make Credit Note,Maak Credit Note
|
||||
@ -1723,7 +1723,7 @@ Net Weight UOM,Netto Gewicht Verpakking
|
||||
Net Weight of each Item,Netto gewicht van elk item
|
||||
Net pay cannot be negative,Nettoloon kan niet negatief zijn
|
||||
Never,Nooit
|
||||
New ,
|
||||
New ,New
|
||||
New Account,nieuw account
|
||||
New Account Name,Nieuw account Naam
|
||||
New BOM,Nieuwe BOM
|
||||
@ -2449,7 +2449,7 @@ Rounded Off,afgerond
|
||||
Rounded Total,Afgeronde Totaal
|
||||
Rounded Total (Company Currency),Afgeronde Totaal (Bedrijf Munt)
|
||||
Row # ,Rij #
|
||||
Row # {0}: ,
|
||||
Row # {0}: ,Row # {0}:
|
||||
Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Rij # {0}: Bestelde hoeveelheid kan niet minder dan minimum afname item (gedefinieerd in punt master).
|
||||
Row #{0}: Please specify Serial No for Item {1},Rij # {0}: Geef volgnummer voor post {1}
|
||||
Row {0}: Account does not match with \ Purchase Invoice Credit To account,Rij {0}: Account komt niet overeen met \ Aankoop Factuur Credit Om rekening te houden
|
||||
@ -2751,7 +2751,7 @@ Stock Ageing,Stock Vergrijzing
|
||||
Stock Analytics,Stock Analytics
|
||||
Stock Assets,Stock activa
|
||||
Stock Balance,Stock Balance
|
||||
Stock Entries already created for Production Order ,
|
||||
Stock Entries already created for Production Order ,Stock Entries already created for Production Order
|
||||
Stock Entry,Stock Entry
|
||||
Stock Entry Detail,Stock Entry Detail
|
||||
Stock Expenses,Stock Lasten
|
||||
|
|
File diff suppressed because it is too large
Load Diff
@ -35,8 +35,8 @@
|
||||
"<a href=""#Sales Browser/Territory"">Add / Edit</a>","<a href=""#Sales Browser/Territory""> toevoegen / bewerken < / a>"
|
||||
"<h4>Default Template</h4><p>Uses <a href=""http://jinja.pocoo.org/docs/templates/"">Jinja Templating</a> and all the fields of Address (including Custom Fields if any) will be available</p><pre><code>{{ address_line1 }}<br>{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}{{ city }}<br>{% if state %}{{ state }}<br>{% endif -%}{% if pincode %} PIN: {{ pincode }}<br>{% endif -%}{{ country }}<br>{% if phone %}Phone: {{ phone }}<br>{% endif -%}{% if fax %}Fax: {{ fax }}<br>{% endif -%}{% if email_id %}Email: {{ email_id }}<br>{% endif -%}</code></pre>","<h4> modelo padrão </ h4> <p> Usa <a href=""http://jinja.pocoo.org/docs/templates/""> Jinja Templating </ a> e todos os campos de Endereço ( incluindo campos personalizados se houver) estará disponível </ p> <pre> <code> {{}} address_line1 <br> {% if address_line2%} {{}} address_line2 <br> { endif% -%} {{cidade}} <br> {% if%} Estado {{estado}} {% endif <br> -%} {% if pincode%} PIN: {{}} pincode <br> {% endif -%} {{país}} <br> {% if%} telefone Telefone: {{telefone}} {<br> endif% -%} {% if%} fax Fax: {{fax}} {% endif <br> -%} {% if% email_id} E-mail: {{}} email_id <br> , {% endif -%} </ code> </ pre>"
|
||||
A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Um grupo de clientes existente com o mesmo nome, por favor altere o nome do cliente ou renomear o grupo de clientes"
|
||||
A Customer exists with same name,Um cliente existe com mesmo nome
|
||||
A Lead with this email id should exist,Um chumbo com esse ID de e-mail deve existir
|
||||
A Customer exists with same name,Um cliente existe com o mesmo nome
|
||||
A Lead with this email id should exist,Um Lead com esse ID de e-mail deve existir
|
||||
A Product or Service,Um produto ou serviço
|
||||
A Supplier exists with same name,Um Fornecedor existe com mesmo nome
|
||||
A symbol for this currency. For e.g. $,Um símbolo para esta moeda. Por exemplo: $
|
||||
@ -47,20 +47,20 @@ Above Value,Acima de Valor
|
||||
Absent,Ausente
|
||||
Acceptance Criteria,Critérios de Aceitação
|
||||
Accepted,Aceito
|
||||
Accepted + Rejected Qty must be equal to Received quantity for Item {0},Aceito Rejeitado + Qt deve ser igual a quantidade recebida por item {0}
|
||||
Accepted Quantity,Quantidade Aceito
|
||||
Accepted Warehouse,Armazém Aceito
|
||||
Accepted + Rejected Qty must be equal to Received quantity for Item {0},Aceite + Qty Rejeitada deve ser igual a quantidade recebida por item {0}
|
||||
Accepted Quantity,Quantidade Aceite
|
||||
Accepted Warehouse,Armazém Aceite
|
||||
Account,conta
|
||||
Account Balance,Saldo em Conta
|
||||
Account Created: {0},Conta Criada : {0}
|
||||
Account Details,Detalhes da conta
|
||||
Account Head,Chefe conta
|
||||
Account Head,Conta principal
|
||||
Account Name,Nome da conta
|
||||
Account Type,Tipo de conta
|
||||
"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Saldo já em crédito, você não tem permissão para definir 'saldo deve ser' como 'débito'"
|
||||
"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Saldo já em débito, você não tem permissão para definir 'saldo deve ser' como 'crédito'"
|
||||
Account for the warehouse (Perpetual Inventory) will be created under this Account.,Rekening voor het magazijn ( Perpetual Inventory ) wordt aangemaakt onder deze account .
|
||||
Account head {0} created,Cabeça Conta {0} criado
|
||||
Account for the warehouse (Perpetual Inventory) will be created under this Account.,Uma conta para o armazém ( Perpetual Inventory ) será criada tendo como base esta conta.
|
||||
Account head {0} created,Conta principal {0} criada
|
||||
Account must be a balance sheet account,Conta deve ser uma conta de balanço
|
||||
Account with child nodes cannot be converted to ledger,Conta com nós filhos não pode ser convertido em livro
|
||||
Account with existing transaction can not be converted to group.,Conta com a transação existente não pode ser convertido em grupo.
|
||||
@ -75,15 +75,15 @@ Account {0} is frozen,Conta {0} está congelado
|
||||
Account {0} is inactive,Conta {0} está inativo
|
||||
Account {0} is not valid,Conta {0} não é válido
|
||||
Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,"Conta {0} deve ser do tipo "" Ativo Fixo "" como item {1} é um item de ativos"
|
||||
Account {0}: Parent account {1} can not be a ledger,Conta {0}: conta Parent {1} não pode ser um livro
|
||||
Account {0}: Parent account {1} does not belong to company: {2},Conta {0}: conta Parent {1} não pertence à empresa: {2}
|
||||
Account {0}: Parent account {1} does not exist,Conta {0}: conta Parent {1} não existe
|
||||
Account {0}: Parent account {1} can not be a ledger,Conta {0}: conta principal {1} não pode ser um livro
|
||||
Account {0}: Parent account {1} does not belong to company: {2},Conta {0}: conta principal {1} não pertence à empresa: {2}
|
||||
Account {0}: Parent account {1} does not exist,Conta {0}: conta principal {1} não existe
|
||||
Account {0}: You can not assign itself as parent account,Conta {0}: Você não pode atribuir-se como conta principal
|
||||
Account: {0} can only be updated via \ Stock Transactions,Conta: {0} só pode ser atualizado através de \ operações com ações
|
||||
Accountant,contador
|
||||
Account: {0} can only be updated via \ Stock Transactions,Conta: {0} só pode ser atualizado através de \ operações de stock
|
||||
Accountant,Contabilista
|
||||
Accounting,Contabilidade
|
||||
"Accounting Entries can be made against leaf nodes, called","Boekingen kunnen worden gemaakt tegen leaf nodes , genaamd"
|
||||
"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Registro contábil congelado até a presente data, ninguém pode fazer / modificar entrada exceto papel especificado abaixo."
|
||||
"Accounting Entries can be made against leaf nodes, called",Registos contábeis podem ser realizadas através de chamadas a nós filhos
|
||||
"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Registo contábil congelado até à presente data, ninguém pode fazer / modificar entrada exceto para as regras especificadas abaixo."
|
||||
Accounting journal entries.,Lançamentos contábeis jornal.
|
||||
Accounts,Contas
|
||||
Accounts Browser,Contas Navegador
|
||||
@ -92,51 +92,51 @@ Accounts Payable,Contas a Pagar
|
||||
Accounts Receivable,Contas a receber
|
||||
Accounts Settings,Configurações de contas
|
||||
Active,Ativo
|
||||
Active: Will extract emails from ,Ativo: Será que extrair e-mails a partir de
|
||||
Active: Will extract emails from ,Ativo: Irá extrair e-mails a partir de
|
||||
Activity,Atividade
|
||||
Activity Log,Registro de Atividade
|
||||
Activity Log:,Activity Log :
|
||||
Activity Log:,Registro de Atividade:
|
||||
Activity Type,Tipo de Atividade
|
||||
Actual,Real
|
||||
Actual Budget,Orçamento real
|
||||
Actual Completion Date,Data de conclusão real
|
||||
Actual Date,Data Real
|
||||
Actual End Date,Data final real
|
||||
Actual Invoice Date,Actual Data da Fatura
|
||||
Actual,Atual
|
||||
Actual Budget,Orçamento Atual
|
||||
Actual Completion Date,Atual Data de Conclusão
|
||||
Actual Date,Data atual
|
||||
Actual End Date,Atual Data final
|
||||
Actual Invoice Date,Atual Data da Fatura
|
||||
Actual Posting Date,Actual Data lançamento
|
||||
Actual Qty,Qtde real
|
||||
Actual Qty (at source/target),Qtde real (a origem / destino)
|
||||
Actual Qty After Transaction,Qtde real após a transação
|
||||
Actual Qty: Quantity available in the warehouse.,Werkelijke Aantal : Aantal beschikbaar in het magazijn.
|
||||
Actual Quantity,Quantidade real
|
||||
Actual Start Date,Data de início real
|
||||
Actual Qty,Qtde Atual
|
||||
Actual Qty (at source/target),Qtde Atual (na origem / destino)
|
||||
Actual Qty After Transaction,Qtde atual após a transação
|
||||
Actual Qty: Quantity available in the warehouse.,Atual Qtde: Quantidade existente no armazém.
|
||||
Actual Quantity,Quantidade Atual
|
||||
Actual Start Date,Atual Data de início
|
||||
Add,Adicionar
|
||||
Add / Edit Taxes and Charges,Adicionar / Editar Impostos e Taxas
|
||||
Add Child,Child
|
||||
Add Serial No,Voeg Serienummer
|
||||
Add Taxes,Belastingen toevoegen
|
||||
Add Taxes and Charges,Belastingen en heffingen toe te voegen
|
||||
Add Child,Adicionar Descendente
|
||||
Add Serial No,Adicionar número de série
|
||||
Add Taxes,Adicionar impostos
|
||||
Add Taxes and Charges,Adicionar impostos e taxas
|
||||
Add or Deduct,Adicionar ou Deduzir
|
||||
Add rows to set annual budgets on Accounts.,Adicionar linhas para definir orçamentos anuais nas contas.
|
||||
Add to Cart,Adicionar ao carrinho
|
||||
Add to calendar on this date,Toevoegen aan agenda op deze datum
|
||||
Add to Cart,Adicionar ao carrinho de compras
|
||||
Add to calendar on this date,Adicionar ao calendário nesta data
|
||||
Add/Remove Recipients,Adicionar / Remover Destinatários
|
||||
Address,Endereço
|
||||
Address & Contact,Address & Contact
|
||||
Address & Contact,Endereço e contato
|
||||
Address & Contacts,Endereço e contatos
|
||||
Address Desc,Endereço Descr
|
||||
Address Details,Detalhes de endereço
|
||||
Address HTML,Abordar HTML
|
||||
Address HTML,Endereço HTML
|
||||
Address Line 1,Endereço Linha 1
|
||||
Address Line 2,Endereço Linha 2
|
||||
Address Template,Modelo de endereço
|
||||
Address Title,Título endereço
|
||||
Address Title is mandatory.,Endereço de título é obrigatório.
|
||||
Address Title,Título do endereço
|
||||
Address Title is mandatory.,O título do Endereço é obrigatório.
|
||||
Address Type,Tipo de endereço
|
||||
Address master.,Mestre de endereços.
|
||||
Administrative Expenses,despesas administrativas
|
||||
Address master.,Endereço principal.
|
||||
Administrative Expenses,Despesas Administrativas
|
||||
Administrative Officer,Diretor Administrativo
|
||||
Advance Amount,Quantidade antecedência
|
||||
Advance Amount,Quantidade Adiantada
|
||||
Advance amount,Valor do adiantamento
|
||||
Advances,Avanços
|
||||
Advertisement,Anúncio
|
||||
@ -145,71 +145,71 @@ Aerospace,aeroespaço
|
||||
After Sale Installations,Após instalações Venda
|
||||
Against,Contra
|
||||
Against Account,Contra Conta
|
||||
Against Bill {0} dated {1},Contra Bill {0} {1} datado
|
||||
Against Docname,Contra docName
|
||||
Against Bill {0} dated {1},Contra Bill {0} datado {1}
|
||||
Against Docname,Contra Docname
|
||||
Against Doctype,Contra Doctype
|
||||
Against Document Detail No,Contra Detalhe documento n
|
||||
Against Document No,Contra documento n
|
||||
Against Document Detail No,Contra Detalhe documento No
|
||||
Against Document No,Contra documento No
|
||||
Against Expense Account,Contra a conta de despesas
|
||||
Against Income Account,Contra Conta Renda
|
||||
Against Income Account,Contra Conta a Receber
|
||||
Against Journal Voucher,Contra Vale Jornal
|
||||
Against Journal Voucher {0} does not have any unmatched {1} entry,Contra Jornal Vale {0} não tem {1} entrada incomparável
|
||||
Against Purchase Invoice,Contra a Nota Fiscal de Compra
|
||||
Against Sales Invoice,Contra a nota fiscal de venda
|
||||
Against Sales Order,Tegen klantorder
|
||||
Against Sales Order,Contra Ordem de Venda
|
||||
Against Voucher,Contra Vale
|
||||
Against Voucher Type,Tipo contra Vale
|
||||
Ageing Based On,Vergrijzing Based On
|
||||
Ageing Based On,Contra Baseado em
|
||||
Ageing Date is mandatory for opening entry,Envelhecimento Data é obrigatória para a abertura de entrada
|
||||
Ageing date is mandatory for opening entry,Data Envelhecer é obrigatória para a abertura de entrada
|
||||
Agent,Agente
|
||||
Aging Date,Envelhecimento Data
|
||||
Aging Date is mandatory for opening entry,Envelhecimento Data é obrigatória para a abertura de entrada
|
||||
Agriculture,agricultura
|
||||
Airline,companhia aérea
|
||||
Agriculture,Agricultura
|
||||
Airline,Companhia aérea
|
||||
All Addresses.,Todos os endereços.
|
||||
All Contact,Todos Contato
|
||||
All Contact,Todos os Contatos
|
||||
All Contacts.,Todos os contatos.
|
||||
All Customer Contact,Todos contato do cliente
|
||||
All Customer Contact,Todos os contatos de clientes
|
||||
All Customer Groups,Todos os grupos de clientes
|
||||
All Day,Dia de Todos os
|
||||
All Employee (Active),Todos Empregado (Ativo)
|
||||
All Day,Todo o Dia
|
||||
All Employee (Active),Todos os Empregados (Ativo)
|
||||
All Item Groups,Todos os grupos de itens
|
||||
All Lead (Open),Todos chumbo (Aberto)
|
||||
All Products or Services.,Todos os produtos ou serviços.
|
||||
All Sales Partner Contact,Todos Contato parceiro de vendas
|
||||
All Sales Person,Todos Vendas Pessoa
|
||||
All Supplier Contact,Todos contato fornecedor
|
||||
All Supplier Types,Alle Leverancier Types
|
||||
All Sales Person,Todos as Pessoas de Vendas
|
||||
All Supplier Contact,Todos os contatos de fornecedores
|
||||
All Supplier Types,Todos os tipos de fornecedores
|
||||
All Territories,Todos os Territórios
|
||||
"All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","Todas as exportações campos relacionados, como moeda, taxa de conversão , a exportação total, a exportação total etc estão disponíveis na nota de entrega , POS, Cotação , Vendas fatura , Ordem de vendas etc"
|
||||
"All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","Todos os campos de importação relacionados, como moeda , taxa de conversão total de importação , importação total etc estão disponíveis no Recibo de compra , fornecedor de cotação , factura de compra , ordem de compra , etc"
|
||||
"All export related fields like currency, conversion rate, export total, export grand total etc are available in Delivery Note, POS, Quotation, Sales Invoice, Sales Order etc.","Todos os campos exportados tais como, moeda, taxa de conversão, total de exportação, total de exportação final, etc estão disponíveis na nota de entrega , POS, Cotação , Fatura de Vendas, Ordem de vendas, etc."
|
||||
"All import related fields like currency, conversion rate, import total, import grand total etc are available in Purchase Receipt, Supplier Quotation, Purchase Invoice, Purchase Order etc.","Todos os campos exportados tais como, moeda, taxa de conversão, total de exportação, total de exportação final e etc, estão disponíveis no Recibo de compra, fornecedor de cotação, factura de compra, ordem de compra e etc."
|
||||
All items have already been invoiced,Todos os itens já foram faturados
|
||||
All these items have already been invoiced,Todos esses itens já foram faturados
|
||||
Allocate,Distribuir
|
||||
Allocate leaves for a period.,Alocar folhas por um período .
|
||||
Allocate leaves for the year.,Alocar folhas para o ano.
|
||||
Allocated Amount,Montante afectado
|
||||
Allocate,Atribuír
|
||||
Allocate leaves for a period.,Atribuír folhas por um período .
|
||||
Allocate leaves for the year.,Atribuír folhas para o ano.
|
||||
Allocated Amount,Montante atribuído
|
||||
Allocated Budget,Orçamento atribuído
|
||||
Allocated amount,Montante atribuído
|
||||
Allocated amount can not be negative,Montante atribuído não pode ser negativo
|
||||
Allocated amount can not greater than unadusted amount,Montante atribuído não pode superior à quantia unadusted
|
||||
Allocated amount can not greater than unadusted amount,Montante atribuído não pode ser superior à quantia desasjustada
|
||||
Allow Bill of Materials,Permitir Lista de Materiais
|
||||
Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item,"Permitir Lista de Materiais deve ser ""sim"" . Porque uma ou várias listas de materiais ativos presentes para este item"
|
||||
Allow Children,permitir que as crianças
|
||||
Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item,"Permitir Lista de Materiais deve ser ""sim"". Porque uma ou várias listas de materiais encontram-se ativas para este item"
|
||||
Allow Children,Permitir descendentes
|
||||
Allow Dropbox Access,Permitir Dropbox Acesso
|
||||
Allow Google Drive Access,Permitir acesso Google Drive
|
||||
Allow Negative Balance,Permitir saldo negativo
|
||||
Allow Negative Stock,Permitir estoque negativo
|
||||
Allow Negative Stock,Permitir stock negativo
|
||||
Allow Production Order,Permitir Ordem de Produção
|
||||
Allow User,Permitir que o usuário
|
||||
Allow Users,Permitir que os usuários
|
||||
Allow the following users to approve Leave Applications for block days.,Permitir que os seguintes usuários para aprovar Deixe Applications para os dias de bloco.
|
||||
Allow user to edit Price List Rate in transactions,Permitir ao usuário editar Lista de Preços Taxa em transações
|
||||
Allowance Percent,Percentual subsídio
|
||||
Allow User,Permitir utilizador
|
||||
Allow Users,Permitir utilizadores
|
||||
Allow the following users to approve Leave Applications for block days.,"Permitir que os seguintes utilizadores aprovem ""Deixar Aplicações"" para os dias de bloco."
|
||||
Allow user to edit Price List Rate in transactions,Permitir ao utilizador editar Taxa de Lista de Preços em transações
|
||||
Allowance Percent,Subsídio Percentual
|
||||
Allowance for over-{0} crossed for Item {1},Provisão para over-{0} cruzou para item {1}
|
||||
Allowance for over-{0} crossed for Item {1}.,Provisão para over-{0} cruzou para item {1}.
|
||||
Allowed Role to Edit Entries Before Frozen Date,Toegestaan Rol te bewerken items voor Frozen Datum
|
||||
Allowed Role to Edit Entries Before Frozen Date,Regras de permissão para edição de entradas antes da data ser congelada.
|
||||
Amended From,Alterado De
|
||||
Amount,Quantidade
|
||||
Amount (Company Currency),Amount (Moeda Company)
|
||||
@ -254,8 +254,8 @@ Approving Role,Aprovar Papel
|
||||
Approving Role cannot be same as role the rule is Applicable To,Aprovando Papel não pode ser o mesmo que papel a regra é aplicável a
|
||||
Approving User,Aprovar Usuário
|
||||
Approving User cannot be same as user the rule is Applicable To,Aprovando usuário não pode ser o mesmo que usuário a regra é aplicável a
|
||||
Are you sure you want to STOP ,
|
||||
Are you sure you want to UNSTOP ,
|
||||
Are you sure you want to STOP ,Are you sure you want to STOP
|
||||
Are you sure you want to UNSTOP ,Are you sure you want to UNSTOP
|
||||
Arrear Amount,Quantidade atraso
|
||||
"As Production Order can be made for this item, it must be a stock item.","Como ordem de produção pode ser feita para este item , deve ser um item de estoque."
|
||||
As per Stock UOM,Como por Banco UOM
|
||||
@ -284,7 +284,7 @@ Auto Accounting For Stock Settings,Auto Accounting Voor Stock Instellingen
|
||||
Auto Material Request,Pedido de material Auto
|
||||
Auto-raise Material Request if quantity goes below re-order level in a warehouse,Auto-raise pedido se se a quantidade for inferior a nível re-order em um armazém
|
||||
Automatically compose message on submission of transactions.,Compor automaticamente mensagem na apresentação de transações.
|
||||
Automatically extract Job Applicants from a mail box ,
|
||||
Automatically extract Job Applicants from a mail box ,Automatically extract Job Applicants from a mail box
|
||||
Automatically extract Leads from a mail box e.g.,Leads automatisch extraheren uit een brievenbus bijv.
|
||||
Automatically updated via Stock Entry of type Manufacture/Repack,Atualizado automaticamente através da entrada de Fabricação tipo / Repack
|
||||
Automotive,automotivo
|
||||
@ -511,7 +511,7 @@ Clearance Date,Data de Liquidação
|
||||
Clearance Date not mentioned,Apuramento data não mencionada
|
||||
Clearance date cannot be before check date in row {0},Apuramento data não pode ser anterior à data de verificação na linha {0}
|
||||
Click on 'Make Sales Invoice' button to create a new Sales Invoice.,Clique em 'Criar Fatura de vendas' botão para criar uma nova factura de venda.
|
||||
Click on a link to get options to expand get options ,
|
||||
Click on a link to get options to expand get options ,Click on a link to get options to expand get options
|
||||
Client,Cliente
|
||||
Close Balance Sheet and book Profit or Loss.,Sluiten Balans en boek Winst of verlies .
|
||||
Closed,Fechado
|
||||
@ -841,13 +841,13 @@ Distributor,Distribuidor
|
||||
Divorced,Divorciado
|
||||
Do Not Contact,Neem geen contact op
|
||||
Do not show any symbol like $ etc next to currencies.,Não mostrar qualquer símbolo como US $ etc ao lado de moedas.
|
||||
Do really want to unstop production order: ,
|
||||
Do you really want to STOP ,
|
||||
Do really want to unstop production order: ,Do really want to unstop production order:
|
||||
Do you really want to STOP ,Do you really want to STOP
|
||||
Do you really want to STOP this Material Request?,Wil je echt wilt dit materiaal afbreken ?
|
||||
Do you really want to Submit all Salary Slip for month {0} and year {1},Você realmente quer submeter todos os folha de salário do mês {0} e {1} ano
|
||||
Do you really want to UNSTOP ,
|
||||
Do you really want to UNSTOP ,Do you really want to UNSTOP
|
||||
Do you really want to UNSTOP this Material Request?,Wil je echt wilt dit materiaal aanvragen opendraaien ?
|
||||
Do you really want to stop production order: ,
|
||||
Do you really want to stop production order: ,Do you really want to stop production order:
|
||||
Doc Name,Nome Doc
|
||||
Doc Type,Tipo Doc
|
||||
Document Description,Descrição documento
|
||||
@ -899,7 +899,7 @@ Electronics,eletrônica
|
||||
Email,E-mail
|
||||
Email Digest,E-mail Digest
|
||||
Email Digest Settings,E-mail Digest Configurações
|
||||
Email Digest: ,
|
||||
Email Digest: ,Email Digest:
|
||||
Email Id,Id e-mail
|
||||
"Email Id where a job applicant will email e.g. ""jobs@example.com""",Id e-mail onde um candidato a emprego vai enviar e-mail "jobs@example.com" por exemplo
|
||||
Email Notifications,Notificações de e-mail
|
||||
@ -959,7 +959,7 @@ Enter url parameter for receiver nos,Digite o parâmetro url para nn receptor
|
||||
Entertainment & Leisure,Entretenimento & Lazer
|
||||
Entertainment Expenses,despesas de representação
|
||||
Entries,Entradas
|
||||
Entries against ,
|
||||
Entries against ,Entries against
|
||||
Entries are not allowed against this Fiscal Year if the year is closed.,Entradas não são permitidos contra este Ano Fiscal se o ano está fechada.
|
||||
Equity,equidade
|
||||
Error: {0} > {1},Erro: {0} > {1}
|
||||
@ -1574,7 +1574,7 @@ Maintenance Visit Purpose,Finalidade visita de manutenção
|
||||
Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Manutenção Visita {0} deve ser cancelado antes de cancelar esta ordem de venda
|
||||
Maintenance start date can not be before delivery date for Serial No {0},Manutenção data de início não pode ser anterior à data de entrega para Serial Não {0}
|
||||
Major/Optional Subjects,Assuntos Principais / Opcional
|
||||
Make ,
|
||||
Make ,Make
|
||||
Make Accounting Entry For Every Stock Movement,Maak boekhoudkundige afschrijving voor elke Stock Movement
|
||||
Make Bank Voucher,Faça Vale Banco
|
||||
Make Credit Note,Maak Credit Note
|
||||
@ -1723,7 +1723,7 @@ Net Weight UOM,UOM Peso Líquido
|
||||
Net Weight of each Item,Peso líquido de cada item
|
||||
Net pay cannot be negative,Salário líquido não pode ser negativo
|
||||
Never,Nunca
|
||||
New ,
|
||||
New ,New
|
||||
New Account,nieuw account
|
||||
New Account Name,Nieuw account Naam
|
||||
New BOM,Novo BOM
|
||||
@ -2449,7 +2449,7 @@ Rounded Off,arredondado
|
||||
Rounded Total,Total arredondado
|
||||
Rounded Total (Company Currency),Total arredondado (Moeda Company)
|
||||
Row # ,Linha #
|
||||
Row # {0}: ,
|
||||
Row # {0}: ,Row # {0}:
|
||||
Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Row # {0}: qty ordenado pode não inferior a qty pedido mínimo do item (definido no mestre de item).
|
||||
Row #{0}: Please specify Serial No for Item {1},Row # {0}: Favor especificar Sem Serial para item {1}
|
||||
Row {0}: Account does not match with \ Purchase Invoice Credit To account,Row {0}: Conta não corresponde com \ Compra fatura de crédito para conta
|
||||
@ -2751,7 +2751,7 @@ Stock Ageing,Envelhecimento estoque
|
||||
Stock Analytics,Analytics ações
|
||||
Stock Assets,Ativos estoque
|
||||
Stock Balance,Balanço de estoque
|
||||
Stock Entries already created for Production Order ,
|
||||
Stock Entries already created for Production Order ,Stock Entries already created for Production Order
|
||||
Stock Entry,Entrada estoque
|
||||
Stock Entry Detail,Detalhe Entrada estoque
|
||||
Stock Expenses,despesas Stock
|
||||
|
|
@ -1,5 +1,5 @@
|
||||
(Half Day),
|
||||
and year: ,
|
||||
(Half Day), (Half Day)
|
||||
and year: , and year:
|
||||
""" does not exists","""Nu există"
|
||||
% Delivered,Livrat%
|
||||
% Amount Billed,% Suma facturată
|
||||
@ -34,7 +34,7 @@
|
||||
"<a href=""#Sales Browser/Item Group"">Add / Edit</a>","<a href=""#Sales Browser/Item Group""> Add / Edit </ a>"
|
||||
"<a href=""#Sales Browser/Territory"">Add / Edit</a>","<a href=""#Sales Browser/Territory""> Add / Edit </ a>"
|
||||
"<h4>Default Template</h4><p>Uses <a href=""http://jinja.pocoo.org/docs/templates/"">Jinja Templating</a> and all the fields of Address (including Custom Fields if any) will be available</p><pre><code>{{ address_line1 }}<br>{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}{{ city }}<br>{% if state %}{{ state }}<br>{% endif -%}{% if pincode %} PIN: {{ pincode }}<br>{% endif -%}{{ country }}<br>{% if phone %}Phone: {{ phone }}<br>{% endif -%}{% if fax %}Fax: {{ fax }}<br>{% endif -%}{% if email_id %}Email: {{ email_id }}<br>{% endif -%}</code></pre>","<h4> implicit Format </ h4> <p> Utilizeaza <a href=""http://jinja.pocoo.org/docs/templates/""> Jinja templating </ a> și toate domeniile de Adresa ( inclusiv Câmpuri personalizate dacă este cazul) va fi disponibil </ p> <pre> <code> {{}} address_line1 <br> {% dacă address_line2%} {{}} address_line2 cui { % endif -%} {{oras}} <br> {%, în cazul în care de stat%} {{}} stat {cui% endif -%} {%, în cazul în care parola așa%} PIN: {{}} parola așa cui {% endif -%} {{țară}} <br> {%, în cazul în care telefonul%} Telefon: {{telefon}} cui { % endif -%} {% dacă fax%} Fax: {{fax}} cui {% endif -%} {% dacă email_id%} Email: {{}} email_id <br> ; {% endif -%} </ code> </ pre>"
|
||||
A Customer Group exists with same name please change the Customer name or rename the Customer Group,Există un grup de clienți cu același nume vă rugăm să schimbați numele clientului sau redenumi Grupul Customer
|
||||
A Customer Group exists with same name please change the Customer name or rename the Customer Group,Există un grup de clienți cu același nume vă rugăm să schimbați numele clientului sau redenumiti Grupul Clienti
|
||||
A Customer exists with same name,Există un client cu același nume
|
||||
A Lead with this email id should exist,Un plumb cu acest id-ul de e-mail ar trebui să existe
|
||||
A Product or Service,Un produs sau serviciu
|
||||
@ -42,13 +42,13 @@ A Supplier exists with same name,Un furnizor există cu același nume
|
||||
A symbol for this currency. For e.g. $,"Un simbol pentru această monedă. De exemplu, $"
|
||||
AMC Expiry Date,AMC Data expirării
|
||||
Abbr,Abbr
|
||||
Abbreviation cannot have more than 5 characters,Abreviere nu poate avea mai mult de 5 caractere
|
||||
Abbreviation cannot have more than 5 characters,Abrevierea nu poate avea mai mult de 5 caractere
|
||||
Above Value,Valoarea de mai sus
|
||||
Absent,Absent
|
||||
Acceptance Criteria,Criteriile de acceptare
|
||||
Accepted,Acceptat
|
||||
Accepted + Rejected Qty must be equal to Received quantity for Item {0},Acceptat Respins + Cantitate trebuie să fie egală cu cantitatea primite pentru postul {0}
|
||||
Accepted Quantity,Acceptat Cantitate
|
||||
Accepted + Rejected Qty must be equal to Received quantity for Item {0},Cantitatea Acceptata + Respinsa trebuie să fie egală cu cantitatea primita pentru articolul {0}
|
||||
Accepted Quantity,Cantitatea acceptată
|
||||
Accepted Warehouse,Depozit acceptate
|
||||
Account,Cont
|
||||
Account Balance,Soldul contului
|
||||
@ -57,33 +57,33 @@ Account Details,Detalii cont
|
||||
Account Head,Cont Șeful
|
||||
Account Name,Nume cont
|
||||
Account Type,Tip de cont
|
||||
"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Soldul contului deja în credit, tu nu sunt permise pentru a seta ""Balanța trebuie să fie"" la fel de ""debit"""
|
||||
"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Soldul contului deja în debit, nu vi se permite să stabilească ""Balanța trebuie să fie"" drept ""credit"""
|
||||
"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Soldul contului este deja în Credit, nu poţi seta ""Balanța trebuie să fie"" drept ""Debit""."
|
||||
"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Soldul contului este deja în Debit, nu poţi seta ""Balanța trebuie să fie"" drept ""Credit""."
|
||||
Account for the warehouse (Perpetual Inventory) will be created under this Account.,Cont de depozit (Inventar Perpetual) va fi creat sub acest cont.
|
||||
Account head {0} created,Cap cont {0} a creat
|
||||
Account must be a balance sheet account,Contul trebuie să fie un cont de bilanț
|
||||
Account with child nodes cannot be converted to ledger,Cont cu noduri copil nu pot fi convertite în registrul
|
||||
Account with existing transaction can not be converted to group.,Cont cu tranzacții existente nu pot fi convertite în grup.
|
||||
Account with existing transaction can not be deleted,Cont cu tranzacții existente nu pot fi șterse
|
||||
Account with existing transaction cannot be converted to ledger,Cont cu tranzacții existente nu pot fi convertite în registrul
|
||||
Account {0} cannot be a Group,Contul {0} nu poate fi un grup
|
||||
Account {0} does not belong to Company {1},Contul {0} nu aparține companiei {1}
|
||||
Account must be a balance sheet account,Contul trebuie să fie un cont de bilanț contabil
|
||||
Account with child nodes cannot be converted to ledger,Cont cu noduri copil nu pot fi convertite în registru
|
||||
Account with existing transaction can not be converted to group.,Cont cu tranzacții existente nu poate fi convertit în grup.
|
||||
Account with existing transaction can not be deleted,Cont cu tranzacții existente nu poate fi șters
|
||||
Account with existing transaction cannot be converted to ledger,Cont cu tranzacții existente nu poate fi convertit în registru
|
||||
Account {0} cannot be a Group,Contul {0} nu poate fi un Grup
|
||||
Account {0} does not belong to Company {1},Contul {0} nu aparține Companiei {1}
|
||||
Account {0} does not belong to company: {1},Contul {0} nu apartine companiei: {1}
|
||||
Account {0} does not exist,Contul {0} nu există
|
||||
Account {0} has been entered more than once for fiscal year {1},Contul {0} a fost introdus mai mult de o dată pentru anul fiscal {1}
|
||||
Account {0} is frozen,Contul {0} este înghețat
|
||||
Account {0} is inactive,Contul {0} este inactiv
|
||||
Account {0} is not valid,Contul {0} nu este valid
|
||||
Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,"Contul {0} trebuie să fie de tip ""active fixe"", ca Item {1} este un element activ"
|
||||
Account {0} must be of type 'Fixed Asset' as Item {1} is an Asset Item,"Contul {0} trebuie să fie de tip ""active fixe"", ca Articol {1} este un Articol de active"
|
||||
Account {0}: Parent account {1} can not be a ledger,Contul {0}: cont Părinte {1} nu poate fi un registru
|
||||
Account {0}: Parent account {1} does not belong to company: {2},Contul {0}: cont Părinte {1} nu apartine companiei: {2}
|
||||
Account {0}: Parent account {1} does not exist,Contul {0}: cont Părinte {1} nu exista
|
||||
Account {0}: You can not assign itself as parent account,Contul {0}: Nu se poate atribui ca cont părinte
|
||||
Account {0}: Parent account {1} does not exist,Contul {0}: cont Părinte {1} nu există
|
||||
Account {0}: You can not assign itself as parent account,Contul {0}: Nu se poate atribui drept cont părinte
|
||||
Account: {0} can only be updated via \ Stock Transactions,Cont: {0} poate fi actualizat doar prin \ Tranzacții stoc
|
||||
Accountant,Contabil
|
||||
Accounting,Contabilitate
|
||||
"Accounting Entries can be made against leaf nodes, called","Înregistrări contabile pot fi făcute împotriva nodurile frunză, numit"
|
||||
"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Intrare contabilitate congelate până la această dată, nimeni nu poate face / modifica intrare cu excepția rol specificate mai jos."
|
||||
"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Intrare contabilitate îngheţată până la această dată, nimeni nu poate face / modifica intrarea cu excepția rolului specificat mai jos."
|
||||
Accounting journal entries.,Intrări de jurnal de contabilitate.
|
||||
Accounts,Conturi
|
||||
Accounts Browser,Conturi Browser
|
||||
@ -92,26 +92,26 @@ Accounts Payable,Conturi de plată
|
||||
Accounts Receivable,Conturi de încasat
|
||||
Accounts Settings,Conturi Setări
|
||||
Active,Activ
|
||||
Active: Will extract emails from ,
|
||||
Active: Will extract emails from ,Active: Will extract emails from
|
||||
Activity,Activități
|
||||
Activity Log,Activitate Log
|
||||
Activity Log,Activitate Jurnal
|
||||
Activity Log:,Activitate Log:
|
||||
Activity Type,Activitatea de Tip
|
||||
Actual,Real
|
||||
Actual,Actual
|
||||
Actual Budget,Bugetul actual
|
||||
Actual Completion Date,Real Finalizarea Data
|
||||
Actual Completion Date,Data Efectivă de Completare
|
||||
Actual Date,Data efectivă
|
||||
Actual End Date,Real Data de încheiere
|
||||
Actual Invoice Date,Real Data facturii
|
||||
Actual Posting Date,Real Dată postare
|
||||
Actual Qty,Real Cantitate
|
||||
Actual Qty (at source/target),Real Cantitate (la sursă / țintă)
|
||||
Actual Qty After Transaction,Real Cantitate După tranzacție
|
||||
Actual Qty: Quantity available in the warehouse.,Cantitate real: Cantitate disponibil în depozit.
|
||||
Actual Quantity,Real Cantitate
|
||||
Actual Start Date,Data efectivă Start
|
||||
Actual End Date,Data Efectivă de încheiere
|
||||
Actual Invoice Date,Data Efectivă a facturii
|
||||
Actual Posting Date,Dată de Postare Efectivă
|
||||
Actual Qty,Cant. Actuală
|
||||
Actual Qty (at source/target),Cantitate Actuală (la sursă / țintă)
|
||||
Actual Qty After Transaction,Cantitate Actuală După tranzacție
|
||||
Actual Qty: Quantity available in the warehouse.,Cantitate Actuală: Cantitate disponibilă în depozit.
|
||||
Actual Quantity,Cantitate Actuală
|
||||
Actual Start Date,Data efectivă de Pornire
|
||||
Add,Adaugă
|
||||
Add / Edit Taxes and Charges,Adauga / Editare Impozite și Taxe
|
||||
Add / Edit Taxes and Charges,Adaugă / Editare Impozite și Taxe
|
||||
Add Child,Adăuga copii
|
||||
Add Serial No,Adauga ordine
|
||||
Add Taxes,Adauga Impozite
|
||||
@ -254,8 +254,8 @@ Approving Role,Aprobarea Rolul
|
||||
Approving Role cannot be same as role the rule is Applicable To,Aprobarea rol nu poate fi la fel ca rolul statului este aplicabilă
|
||||
Approving User,Aprobarea utilizator
|
||||
Approving User cannot be same as user the rule is Applicable To,Aprobarea Utilizatorul nu poate fi aceeași ca și utilizator regula este aplicabilă
|
||||
Are you sure you want to STOP ,
|
||||
Are you sure you want to UNSTOP ,
|
||||
Are you sure you want to STOP ,Are you sure you want to STOP
|
||||
Are you sure you want to UNSTOP ,Are you sure you want to UNSTOP
|
||||
Arrear Amount,Restanță Suma
|
||||
"As Production Order can be made for this item, it must be a stock item.","Ca producție Ordine pot fi făcute pentru acest articol, trebuie să fie un element de stoc."
|
||||
As per Stock UOM,Ca pe Stock UOM
|
||||
@ -284,7 +284,7 @@ Auto Accounting For Stock Settings,Contabilitate Auto Pentru Stock Setări
|
||||
Auto Material Request,Material Auto Cerere
|
||||
Auto-raise Material Request if quantity goes below re-order level in a warehouse,Auto-raise Material cerere în cazul în care cantitatea scade sub nivelul de re-comandă într-un depozit
|
||||
Automatically compose message on submission of transactions.,Compune în mod automat un mesaj pe prezentarea de tranzacții.
|
||||
Automatically extract Job Applicants from a mail box ,
|
||||
Automatically extract Job Applicants from a mail box ,Automatically extract Job Applicants from a mail box
|
||||
Automatically extract Leads from a mail box e.g.,"Extrage automat Oportunitati de la o cutie de e-mail de exemplu,"
|
||||
Automatically updated via Stock Entry of type Manufacture/Repack,Actualizat automat prin Bursa de intrare de tip Fabricarea / Repack
|
||||
Automotive,Automotive
|
||||
@ -511,7 +511,7 @@ Clearance Date,Clearance Data
|
||||
Clearance Date not mentioned,Clearance Data nu sunt menționate
|
||||
Clearance date cannot be before check date in row {0},Data de clearance-ul nu poate fi înainte de data de check-in rândul {0}
|
||||
Click on 'Make Sales Invoice' button to create a new Sales Invoice.,"Faceți clic pe butonul ""face Factura Vanzare"" pentru a crea o nouă factură de vânzare."
|
||||
Click on a link to get options to expand get options ,
|
||||
Click on a link to get options to expand get options ,Click on a link to get options to expand get options
|
||||
Client,Client
|
||||
Close Balance Sheet and book Profit or Loss.,Aproape Bilanțul și carte profit sau pierdere.
|
||||
Closed,Inchisa
|
||||
@ -841,13 +841,13 @@ Distributor,Distribuitor
|
||||
Divorced,Divorțat
|
||||
Do Not Contact,Nu de contact
|
||||
Do not show any symbol like $ etc next to currencies.,Nu prezintă nici un simbol de genul $ etc alături de valute.
|
||||
Do really want to unstop production order: ,
|
||||
Do you really want to STOP ,
|
||||
Do really want to unstop production order: ,Do really want to unstop production order:
|
||||
Do you really want to STOP ,Do you really want to STOP
|
||||
Do you really want to STOP this Material Request?,Chiar vrei pentru a opri această cerere Material?
|
||||
Do you really want to Submit all Salary Slip for month {0} and year {1},Chiar vrei să prezinte toate Slip Salariul pentru luna {0} și {1 an}
|
||||
Do you really want to UNSTOP ,
|
||||
Do you really want to UNSTOP ,Do you really want to UNSTOP
|
||||
Do you really want to UNSTOP this Material Request?,Chiar vrei să unstop această cerere Material?
|
||||
Do you really want to stop production order: ,
|
||||
Do you really want to stop production order: ,Do you really want to stop production order:
|
||||
Doc Name,Doc Nume
|
||||
Doc Type,Doc Tip
|
||||
Document Description,Document Descriere
|
||||
@ -899,7 +899,7 @@ Electronics,Electronică
|
||||
Email,E-mail
|
||||
Email Digest,Email Digest
|
||||
Email Digest Settings,E-mail Settings Digest
|
||||
Email Digest: ,
|
||||
Email Digest: ,Email Digest:
|
||||
Email Id,E-mail Id-ul
|
||||
"Email Id where a job applicant will email e.g. ""jobs@example.com""","E-mail Id-ul în cazul în care un solicitant de loc de muncă va trimite un email de exemplu ""jobs@example.com"""
|
||||
Email Notifications,Notificări e-mail
|
||||
@ -927,7 +927,7 @@ Employee Settings,Setări angajaților
|
||||
Employee Type,Tipul angajatului
|
||||
"Employee designation (e.g. CEO, Director etc.).","Desemnarea angajat (de exemplu, CEO, director, etc)."
|
||||
Employee master.,Maestru angajat.
|
||||
Employee record is created using selected field. ,
|
||||
Employee record is created using selected field. ,Employee record is created using selected field.
|
||||
Employee records.,Înregistrările angajaților.
|
||||
Employee relieved on {0} must be set as 'Left',"Angajat eliberat pe {0} trebuie să fie setat ca ""stânga"""
|
||||
Employee {0} has already applied for {1} between {2} and {3},Angajat {0} a aplicat deja pentru {1} între {2} și {3}
|
||||
@ -959,7 +959,7 @@ Enter url parameter for receiver nos,Introduceți parametru url pentru receptor
|
||||
Entertainment & Leisure,Entertainment & Leisure
|
||||
Entertainment Expenses,Cheltuieli de divertisment
|
||||
Entries,Intrări
|
||||
Entries against ,
|
||||
Entries against ,Entries against
|
||||
Entries are not allowed against this Fiscal Year if the year is closed.,"Lucrările nu sunt permise în acest an fiscal, dacă anul este închis."
|
||||
Equity,Echitate
|
||||
Error: {0} > {1},Eroare: {0}> {1}
|
||||
@ -1024,7 +1024,7 @@ Exports,Exporturile
|
||||
External,Extern
|
||||
Extract Emails,Extrage poștă electronică
|
||||
FCFS Rate,FCFS Rate
|
||||
Failed: ,
|
||||
Failed: ,Failed:
|
||||
Family Background,Context familie
|
||||
Fax,Fax
|
||||
Features Setup,Caracteristici de configurare
|
||||
@ -1245,7 +1245,7 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged
|
||||
If you involve in manufacturing activity. Enables Item 'Is Manufactured',"Dacă vă implica în activitatea de producție. Permite Articol ""este fabricat"""
|
||||
Ignore,Ignora
|
||||
Ignore Pricing Rule,Ignora Regula Preturi
|
||||
Ignored: ,
|
||||
Ignored: ,Ignored:
|
||||
Image,Imagine
|
||||
Image View,Imagine Vizualizare
|
||||
Implementation Partner,Partener de punere în aplicare
|
||||
@ -1574,7 +1574,7 @@ Maintenance Visit Purpose,Vizitează întreținere Scop
|
||||
Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Vizitează întreținere {0} trebuie anulată înainte de a anula această comandă de vânzări
|
||||
Maintenance start date can not be before delivery date for Serial No {0},Întreținere data de începere nu poate fi înainte de data de livrare pentru de serie nr {0}
|
||||
Major/Optional Subjects,Subiectele majore / opționale
|
||||
Make ,
|
||||
Make ,Make
|
||||
Make Accounting Entry For Every Stock Movement,Asigurați-vă de contabilitate de intrare pentru fiecare Stock Mișcarea
|
||||
Make Bank Voucher,Banca face Voucher
|
||||
Make Credit Note,Face Credit Nota
|
||||
@ -1723,7 +1723,7 @@ Net Weight UOM,Greutate neta UOM
|
||||
Net Weight of each Item,Greutatea netă a fiecărui produs
|
||||
Net pay cannot be negative,Salariul net nu poate fi negativ
|
||||
Never,Niciodată
|
||||
New ,
|
||||
New ,New
|
||||
New Account,Cont nou
|
||||
New Account Name,Nume nou cont
|
||||
New BOM,Nou BOM
|
||||
@ -1789,7 +1789,7 @@ No permission,Nici o permisiune
|
||||
No record found,Nu au găsit înregistrări
|
||||
No records found in the Invoice table,Nu sunt găsite în tabelul de factură înregistrări
|
||||
No records found in the Payment table,Nu sunt găsite în tabelul de plăți înregistrări
|
||||
No salary slip found for month: ,
|
||||
No salary slip found for month: ,No salary slip found for month:
|
||||
Non Profit,Non-Profit
|
||||
Nos,Nos
|
||||
Not Active,Nu este activ
|
||||
@ -2448,8 +2448,8 @@ Root cannot have a parent cost center,Rădăcină nu poate avea un centru de cos
|
||||
Rounded Off,Rotunjite
|
||||
Rounded Total,Rotunjite total
|
||||
Rounded Total (Company Currency),Rotunjite total (Compania de valuta)
|
||||
Row # ,
|
||||
Row # {0}: ,
|
||||
Row # ,Row #
|
||||
Row # {0}: ,Row # {0}:
|
||||
Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Rând # {0}: Cantitate Comandat poate nu mai puțin de cantitate minimă de comandă item (definit la punctul de master).
|
||||
Row #{0}: Please specify Serial No for Item {1},Rând # {0}: Vă rugăm să specificați Nu serial pentru postul {1}
|
||||
Row {0}: Account does not match with \ Purchase Invoice Credit To account,Rând {0}: Contul nu se potrivește cu \ cumparare Facturi de credit a contului
|
||||
@ -2751,7 +2751,7 @@ Stock Ageing,Stoc Îmbătrânirea
|
||||
Stock Analytics,Analytics stoc
|
||||
Stock Assets,Active stoc
|
||||
Stock Balance,Stoc Sold
|
||||
Stock Entries already created for Production Order ,
|
||||
Stock Entries already created for Production Order ,Stock Entries already created for Production Order
|
||||
Stock Entry,Stoc de intrare
|
||||
Stock Entry Detail,Stoc de intrare Detaliu
|
||||
Stock Expenses,Cheltuieli stoc
|
||||
@ -2797,7 +2797,7 @@ Submit all salary slips for the above selected criteria,Să prezinte toate fișe
|
||||
Submit this Production Order for further processing.,Trimiteți acest comandă de producție pentru prelucrarea ulterioară.
|
||||
Submitted,Inscrisa
|
||||
Subsidiary,Filială
|
||||
Successful: ,
|
||||
Successful: ,Successful:
|
||||
Successfully Reconciled,Împăcați cu succes
|
||||
Suggestions,Sugestii
|
||||
Sunday,Duminică
|
||||
@ -2915,7 +2915,7 @@ The Organization,Organizația
|
||||
"The account head under Liability, in which Profit/Loss will be booked","Contul capul sub răspunderii, în care Profit / pierdere va fi rezervat"
|
||||
The date on which next invoice will be generated. It is generated on submit.,Data la care va fi generat următoarea factură. Acesta este generat pe prezinte.
|
||||
The date on which recurring invoice will be stop,La data la care factura recurente vor fi opri
|
||||
"The day of the month on which auto invoice will be generated e.g. 05, 28 etc ",
|
||||
"The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","The day of the month on which auto invoice will be generated e.g. 05, 28 etc "
|
||||
The day(s) on which you are applying for leave are holiday. You need not apply for leave.,A doua zi (e) pe care aplici pentru concediu sunt vacanță. Tu nu trebuie să se aplice pentru concediu.
|
||||
The first Leave Approver in the list will be set as the default Leave Approver,Primul Aprobatorul Lăsați în lista va fi setat ca implicit concediu aprobator
|
||||
The first user will become the System Manager (you can change that later).,Primul utilizator va deveni System Manager (puteți schimba asta mai târziu).
|
||||
@ -3002,7 +3002,7 @@ Total Advance,Total de Advance
|
||||
Total Amount,Suma totală
|
||||
Total Amount To Pay,Suma totală să plătească
|
||||
Total Amount in Words,Suma totală în cuvinte
|
||||
Total Billing This Year: ,
|
||||
Total Billing This Year: ,Total Billing This Year:
|
||||
Total Characters,Total de caractere
|
||||
Total Claimed Amount,Total suma pretinsă
|
||||
Total Commission,Total de Comisie
|
||||
|
|
@ -1,5 +1,5 @@
|
||||
(Half Day),
|
||||
and year: ,
|
||||
(Half Day), (Half Day)
|
||||
and year: , and year:
|
||||
""" does not exists","""Не существует"
|
||||
% Delivered,% При поставке
|
||||
% Amount Billed,% Сумма счета
|
||||
@ -93,7 +93,7 @@ Accounts Payable,Ежемесячные счета по кредиторской
|
||||
Accounts Receivable,Дебиторская задолженность
|
||||
Accounts Settings, Настройки аккаунта
|
||||
Active,Активен
|
||||
Active: Will extract emails from ,
|
||||
Active: Will extract emails from ,Active: Will extract emails from
|
||||
Activity,Активность
|
||||
Activity Log,Журнал активности
|
||||
Activity Log:,Журнал активности:
|
||||
@ -107,7 +107,7 @@ Actual Invoice Date,Фактическая стоимость Дата
|
||||
Actual Posting Date,Фактический Дата проводки
|
||||
Actual Qty,Фактический Кол-во
|
||||
Actual Qty (at source/target),Фактический Кол-во (в источнике / цели)
|
||||
Actual Qty After Transaction,Фактический Кол После проведения операции
|
||||
Actual Qty After Transaction,Остаток после проведения
|
||||
Actual Qty: Quantity available in the warehouse.,Фактический Кол-во: Есть в наличии на складе.
|
||||
Actual Quantity,Фактический Количество
|
||||
Actual Start Date,Фактическое начало Дата
|
||||
@ -255,8 +255,8 @@ Approving Role,Утверждении Роль
|
||||
Approving Role cannot be same as role the rule is Applicable To,"Утверждении роль не может быть такой же, как роль правило применимо к"
|
||||
Approving User,Утверждении Пользователь
|
||||
Approving User cannot be same as user the rule is Applicable To,"Утверждении покупатель не может быть такой же, как пользователь правило применимо к"
|
||||
Are you sure you want to STOP ,
|
||||
Are you sure you want to UNSTOP ,
|
||||
Are you sure you want to STOP ,Are you sure you want to STOP
|
||||
Are you sure you want to UNSTOP ,Are you sure you want to UNSTOP
|
||||
Arrear Amount,Просроченной задолженности Сумма
|
||||
"As Production Order can be made for this item, it must be a stock item.","Как Производственный заказ можно сделать по этой статье, он должен быть запас пункт."
|
||||
As per Stock UOM,По фондовой UOM
|
||||
@ -285,7 +285,7 @@ Auto Accounting For Stock Settings,Авто Учет акций Настройк
|
||||
Auto Material Request,Авто Материал Запрос
|
||||
Auto-raise Material Request if quantity goes below re-order level in a warehouse,"Авто-рейз Материал Запрос, если количество идет ниже уровня повторного заказа на складе"
|
||||
Automatically compose message on submission of transactions.,Автоматически создавать сообщение о подаче сделок.
|
||||
Automatically extract Job Applicants from a mail box ,
|
||||
Automatically extract Job Applicants from a mail box ,Automatically extract Job Applicants from a mail box
|
||||
Automatically extract Leads from a mail box e.g.,"Автоматическое извлечение ведет от почтового ящика, например,"
|
||||
Automatically updated via Stock Entry of type Manufacture/Repack,Автоматически обновляется через фондовой позиции типа Производство / Repack
|
||||
Automotive,Автомобилестроение
|
||||
@ -512,7 +512,7 @@ Clearance Date,Клиренс Дата
|
||||
Clearance Date not mentioned,Клиренс Дата не упоминается
|
||||
Clearance date cannot be before check date in row {0},Дата просвет не может быть до даты регистрации в строке {0}
|
||||
Click on 'Make Sales Invoice' button to create a new Sales Invoice.,"Нажмите на кнопку ""Создать Расходная накладная», чтобы создать новый счет-фактуру."
|
||||
Click on a link to get options to expand get options ,
|
||||
Click on a link to get options to expand get options ,Click on a link to get options to expand get options
|
||||
Client,Клиент
|
||||
Close Balance Sheet and book Profit or Loss.,Закрыть баланс и книга прибыли или убытка.
|
||||
Closed,Закрыт
|
||||
@ -842,13 +842,13 @@ Distributor,Дистрибьютор
|
||||
Divorced,Разведенный
|
||||
Do Not Contact,Не обращайтесь
|
||||
Do not show any symbol like $ etc next to currencies.,Не показывать любой символ вроде $ и т.д. рядом с валютами.
|
||||
Do really want to unstop production order: ,
|
||||
Do you really want to STOP ,
|
||||
Do really want to unstop production order: ,Do really want to unstop production order:
|
||||
Do you really want to STOP ,Do you really want to STOP
|
||||
Do you really want to STOP this Material Request?,"Вы действительно хотите, чтобы остановить эту запросу материал?"
|
||||
Do you really want to Submit all Salary Slip for month {0} and year {1},"Вы действительно хотите, чтобы представить все Зарплата Слип для месяца {0} и год {1}"
|
||||
Do you really want to UNSTOP ,
|
||||
Do you really want to UNSTOP ,Do you really want to UNSTOP
|
||||
Do you really want to UNSTOP this Material Request?,"Вы действительно хотите, чтобы Unstop этот материал запрос?"
|
||||
Do you really want to stop production order: ,
|
||||
Do you really want to stop production order: ,Do you really want to stop production order:
|
||||
Doc Name,Имя документа
|
||||
Doc Type,Тип документа
|
||||
Document Description,Документ Описание
|
||||
@ -900,7 +900,7 @@ Electronics,Электроника
|
||||
Email,E-mail
|
||||
Email Digest,E-mail Дайджест
|
||||
Email Digest Settings,Email Дайджест Настройки
|
||||
Email Digest: ,
|
||||
Email Digest: ,Email Digest:
|
||||
Email Id,E-mail Id
|
||||
"Email Id where a job applicant will email e.g. ""jobs@example.com""","E-mail Id, где соискатель вышлем например ""jobs@example.com"""
|
||||
Email Notifications,Уведомления электронной почты
|
||||
@ -928,7 +928,7 @@ Employee Settings,Настройки работникам
|
||||
Employee Type,Сотрудник Тип
|
||||
"Employee designation (e.g. CEO, Director etc.).","Сотрудник обозначение (например, генеральный директор, директор и т.д.)."
|
||||
Employee master.,Мастер сотрудников.
|
||||
Employee record is created using selected field. ,
|
||||
Employee record is created using selected field. ,Employee record is created using selected field.
|
||||
Employee records.,Сотрудник записей.
|
||||
Employee relieved on {0} must be set as 'Left',"Сотрудник освобожден от {0} должен быть установлен как ""левые"""
|
||||
Employee {0} has already applied for {1} between {2} and {3},Сотрудник {0} уже подало заявку на {1} между {2} и {3}
|
||||
@ -960,7 +960,7 @@ Enter url parameter for receiver nos,Введите параметр URL для
|
||||
Entertainment & Leisure,Развлечения и досуг
|
||||
Entertainment Expenses,Представительские расходы
|
||||
Entries,Записи
|
||||
Entries against ,
|
||||
Entries against ,Entries against
|
||||
Entries are not allowed against this Fiscal Year if the year is closed.,"Записи не допускаются против этого финансовый год, если год закрыт."
|
||||
Equity,Ценные бумаги
|
||||
Error: {0} > {1},Ошибка: {0}> {1}
|
||||
@ -1025,7 +1025,7 @@ Exports,! Экспорт
|
||||
External,Внешний GPS с RS232
|
||||
Extract Emails,Извлечь почты
|
||||
FCFS Rate,FCFS Оценить
|
||||
Failed: ,
|
||||
Failed: ,Failed:
|
||||
Family Background,Семья Фон
|
||||
Fax,Факс:
|
||||
Features Setup,Особенности установки
|
||||
@ -1042,8 +1042,8 @@ Filter based on item,Фильтр на основе пункта
|
||||
Financial / accounting year.,Финансовый / отчетного года.
|
||||
Financial Analytics,Финансовая аналитика
|
||||
Financial Services,Финансовые услуги
|
||||
Financial Year End Date,Финансовый год Дата окончания
|
||||
Financial Year Start Date,Финансовый год Дата начала
|
||||
Financial Year End Date,Окончание финансового периода
|
||||
Financial Year Start Date,Начало финансового периода
|
||||
Finished Goods,Готовая продукция
|
||||
First Name,Имя
|
||||
First Responded On,Впервые Ответил на
|
||||
@ -1246,7 +1246,7 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged
|
||||
If you involve in manufacturing activity. Enables Item 'Is Manufactured',Если вы привлечь в производственной деятельности. Включает элемент 'производится'
|
||||
Ignore,Игнорировать
|
||||
Ignore Pricing Rule,Игнорировать Цены Правило
|
||||
Ignored: ,
|
||||
Ignored: ,Ignored:
|
||||
Image,Изображение
|
||||
Image View,Просмотр изображения
|
||||
Implementation Partner,Реализация Партнер
|
||||
@ -1790,7 +1790,7 @@ No permission,Нет доступа
|
||||
No record found,Не запись не найдено
|
||||
No records found in the Invoice table,Не записи не найдено в таблице счетов
|
||||
No records found in the Payment table,Не записи не найдено в таблице оплаты
|
||||
No salary slip found for month: ,
|
||||
No salary slip found for month: ,No salary slip found for month:
|
||||
Non Profit,Не коммерческое
|
||||
Nos,кол-во
|
||||
Not Active,Не активно
|
||||
@ -2449,8 +2449,8 @@ Root cannot have a parent cost center,Корневая не может имет
|
||||
Rounded Off,Округляется
|
||||
Rounded Total,Округлые Всего
|
||||
Rounded Total (Company Currency),Округлые Всего (Компания Валюта)
|
||||
Row # ,
|
||||
Row # {0}: ,
|
||||
Row # ,Row #
|
||||
Row # {0}: ,Row # {0}:
|
||||
Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Ряд # {0}: Заказал Количество может не менее минимального Кол порядка элемента (определяется в мастер пункт).
|
||||
Row #{0}: Please specify Serial No for Item {1},"Ряд # {0}: Пожалуйста, сформулируйте Серийный номер для Пункт {1}"
|
||||
Row {0}: Account does not match with \ Purchase Invoice Credit To account,Ряд {0}: Счет не соответствует \ Покупка Счет в плюс на счет
|
||||
@ -2753,7 +2753,7 @@ Stock Analytics, Анализ запасов
|
||||
Stock Assets,"Капитал запасов
|
||||
"
|
||||
Stock Balance,Баланс запасов
|
||||
Stock Entries already created for Production Order ,
|
||||
Stock Entries already created for Production Order ,Stock Entries already created for Production Order
|
||||
Stock Entry,Фото Вступление
|
||||
Stock Entry Detail,Фото Вступление Подробно
|
||||
Stock Expenses,Акции Расходы
|
||||
@ -2799,7 +2799,7 @@ Submit all salary slips for the above selected criteria,Представьте
|
||||
Submit this Production Order for further processing.,Отправить эту производственного заказа для дальнейшей обработки.
|
||||
Submitted,Представленный
|
||||
Subsidiary,Филиал
|
||||
Successful: ,
|
||||
Successful: ,Successful:
|
||||
Successfully Reconciled,Успешно Примирение
|
||||
Suggestions,намеки
|
||||
Sunday,Воскресенье
|
||||
@ -2917,7 +2917,7 @@ The Organization,Организация
|
||||
"The account head under Liability, in which Profit/Loss will be booked","Счет голову под ответственности, в котором Прибыль / убыток будут забронированы"
|
||||
The date on which next invoice will be generated. It is generated on submit.,"Дата, на которую будет сгенерирован следующий счет-фактура. Он создается на представить."
|
||||
The date on which recurring invoice will be stop,"Дата, на которую повторяющихся счет будет остановить"
|
||||
"The day of the month on which auto invoice will be generated e.g. 05, 28 etc ",
|
||||
"The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","The day of the month on which auto invoice will be generated e.g. 05, 28 etc "
|
||||
The day(s) on which you are applying for leave are holiday. You need not apply for leave.,"День (дни), на котором вы подаете заявление на отпуск, отпуск. Вам не нужно обратиться за разрешением."
|
||||
The first Leave Approver in the list will be set as the default Leave Approver,Оставить утверждающий в списке будет установлен по умолчанию Оставить утверждающего
|
||||
The first user will become the System Manager (you can change that later).,Первый пользователь станет System Manager (вы можете изменить это позже).
|
||||
@ -3004,7 +3004,7 @@ Total Advance,Всего Advance
|
||||
Total Amount,Общая сумма
|
||||
Total Amount To Pay,Общая сумма платить
|
||||
Total Amount in Words,Общая сумма в словах
|
||||
Total Billing This Year: ,
|
||||
Total Billing This Year: ,Total Billing This Year:
|
||||
Total Characters,Персонажей
|
||||
Total Claimed Amount,Всего заявленной суммы
|
||||
Total Commission,Всего комиссия
|
||||
|
|
@ -254,8 +254,8 @@ Approving Role,Одобравање улоге
|
||||
Approving Role cannot be same as role the rule is Applicable To,"Утверждении роль не может быть такой же, как роль правило применимо к"
|
||||
Approving User,Одобравање корисника
|
||||
Approving User cannot be same as user the rule is Applicable To,"Утверждении покупатель не может быть такой же, как пользователь правило применимо к"
|
||||
Are you sure you want to STOP ,
|
||||
Are you sure you want to UNSTOP ,
|
||||
Are you sure you want to STOP ,Are you sure you want to STOP
|
||||
Are you sure you want to UNSTOP ,Are you sure you want to UNSTOP
|
||||
Arrear Amount,Заостатак Износ
|
||||
"As Production Order can be made for this item, it must be a stock item.","Как Производственный заказ можно сделать по этой статье, он должен быть запас пункт ."
|
||||
As per Stock UOM,По берза ЗОЦГ
|
||||
@ -284,7 +284,7 @@ Auto Accounting For Stock Settings,Аутоматско Рачуноводств
|
||||
Auto Material Request,Ауто Материјал Захтев
|
||||
Auto-raise Material Request if quantity goes below re-order level in a warehouse,Аутоматско подизање Захтева материјал уколико количина падне испод нивоа поново би у складишту
|
||||
Automatically compose message on submission of transactions.,Автоматически создавать сообщение о подаче сделок .
|
||||
Automatically extract Job Applicants from a mail box ,
|
||||
Automatically extract Job Applicants from a mail box ,Automatically extract Job Applicants from a mail box
|
||||
Automatically extract Leads from a mail box e.g.,Аутоматски екстракт води од кутије маил нпр
|
||||
Automatically updated via Stock Entry of type Manufacture/Repack,Аутоматски ажурира путем берзе Унос типа Производња / препаковати
|
||||
Automotive,аутомобилски
|
||||
@ -511,7 +511,7 @@ Clearance Date,Чишћење Датум
|
||||
Clearance Date not mentioned,Клиренс Дата не упоминается
|
||||
Clearance date cannot be before check date in row {0},Дата просвет не может быть до даты регистрации в строке {0}
|
||||
Click on 'Make Sales Invoice' button to create a new Sales Invoice.,Кликните на 'да продаје Фактура' дугме да бисте креирали нову продајну фактуру.
|
||||
Click on a link to get options to expand get options ,
|
||||
Click on a link to get options to expand get options ,Click on a link to get options to expand get options
|
||||
Client,Клијент
|
||||
Close Balance Sheet and book Profit or Loss.,Затвори Биланс стања и књига добитак или губитак .
|
||||
Closed,Затворено
|
||||
@ -841,13 +841,13 @@ Distributor,Дистрибутер
|
||||
Divorced,Разведен
|
||||
Do Not Contact,Немојте Контакт
|
||||
Do not show any symbol like $ etc next to currencies.,Не показују као симбол $ итд поред валутама.
|
||||
Do really want to unstop production order: ,
|
||||
Do you really want to STOP ,
|
||||
Do really want to unstop production order: ,Do really want to unstop production order:
|
||||
Do you really want to STOP ,Do you really want to STOP
|
||||
Do you really want to STOP this Material Request?,Да ли заиста желите да зауставите овај материјал захтев ?
|
||||
Do you really want to Submit all Salary Slip for month {0} and year {1},"Вы действительно хотите , чтобы представить все Зарплата Слип для месяца {0} и год {1}"
|
||||
Do you really want to UNSTOP ,
|
||||
Do you really want to UNSTOP ,Do you really want to UNSTOP
|
||||
Do you really want to UNSTOP this Material Request?,Да ли стварно желите да Отпушити овај материјал захтев ?
|
||||
Do you really want to stop production order: ,
|
||||
Do you really want to stop production order: ,Do you really want to stop production order:
|
||||
Doc Name,Док Име
|
||||
Doc Type,Док Тип
|
||||
Document Description,Опис документа
|
||||
@ -899,7 +899,7 @@ Electronics,електроника
|
||||
Email,Е-маил
|
||||
Email Digest,Е-маил Дигест
|
||||
Email Digest Settings,Е-маил подешавања Дигест
|
||||
Email Digest: ,
|
||||
Email Digest: ,Email Digest:
|
||||
Email Id,Емаил ИД
|
||||
"Email Id where a job applicant will email e.g. ""jobs@example.com""",Емаил ИД гдје посао подносилац ће пошаљи нпр "јобс@екампле.цом"
|
||||
Email Notifications,Уведомления по электронной почте
|
||||
@ -959,7 +959,7 @@ Enter url parameter for receiver nos,Унесите УРЛ параметар з
|
||||
Entertainment & Leisure,Забава и слободно време
|
||||
Entertainment Expenses,представительские расходы
|
||||
Entries,Уноси
|
||||
Entries against ,
|
||||
Entries against ,Entries against
|
||||
Entries are not allowed against this Fiscal Year if the year is closed.,Уноси нису дозвољени против фискалне године ако је затворен.
|
||||
Equity,капитал
|
||||
Error: {0} > {1},Ошибка: {0} > {1}
|
||||
@ -1574,7 +1574,7 @@ Maintenance Visit Purpose,Одржавање посета Сврха
|
||||
Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Техническое обслуживание Посетить {0} должно быть отменено до отмены этого заказ клиента
|
||||
Maintenance start date can not be before delivery date for Serial No {0},Техническое обслуживание дата не может быть до даты доставки для Serial No {0}
|
||||
Major/Optional Subjects,Мајор / Опциони предмети
|
||||
Make ,
|
||||
Make ,Make
|
||||
Make Accounting Entry For Every Stock Movement,Направите Рачуноводство унос за сваки Стоцк Покрета
|
||||
Make Bank Voucher,Направите ваучер Банк
|
||||
Make Credit Note,Маке Цредит Ноте
|
||||
@ -1723,7 +1723,7 @@ Net Weight UOM,Тежина УОМ
|
||||
Net Weight of each Item,Тежина сваког артикла
|
||||
Net pay cannot be negative,Чистая зарплата не может быть отрицательным
|
||||
Never,Никад
|
||||
New ,
|
||||
New ,New
|
||||
New Account,Нови налог
|
||||
New Account Name,Нови налог Име
|
||||
New BOM,Нови БОМ
|
||||
@ -2449,7 +2449,7 @@ Rounded Off,округляется
|
||||
Rounded Total,Роундед Укупно
|
||||
Rounded Total (Company Currency),Заобљени Укупно (Друштво валута)
|
||||
Row # ,Ред #
|
||||
Row # {0}: ,
|
||||
Row # {0}: ,Row # {0}:
|
||||
Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Ред # {0}: Ж количина не може мање од ставке Минимална количина за поручивање (дефинисано у тачки мастер).
|
||||
Row #{0}: Please specify Serial No for Item {1},Ред # {0}: Наведите Сериал но за пункт {1}
|
||||
Row {0}: Account does not match with \ Purchase Invoice Credit To account,Ред {0}: Рачун не одговара \ фактури Кредит на рачун
|
||||
@ -2751,7 +2751,7 @@ Stock Ageing,Берза Старење
|
||||
Stock Analytics,Стоцк Аналитика
|
||||
Stock Assets,фондовые активы
|
||||
Stock Balance,Берза Биланс
|
||||
Stock Entries already created for Production Order ,
|
||||
Stock Entries already created for Production Order ,Stock Entries already created for Production Order
|
||||
Stock Entry,Берза Ступање
|
||||
Stock Entry Detail,Берза Унос Детаљ
|
||||
Stock Expenses,Акции Расходы
|
||||
|
|
@ -254,8 +254,8 @@ Approving Role,பங்கு ஒப்புதல்
|
||||
Approving Role cannot be same as role the rule is Applicable To,பங்கு ஒப்புதல் ஆட்சி பொருந்தும் பாத்திரம் அதே இருக்க முடியாது
|
||||
Approving User,பயனர் ஒப்புதல்
|
||||
Approving User cannot be same as user the rule is Applicable To,பயனர் ஒப்புதல் ஆட்சி பொருந்தும் பயனர் அதே இருக்க முடியாது
|
||||
Are you sure you want to STOP ,
|
||||
Are you sure you want to UNSTOP ,
|
||||
Are you sure you want to STOP ,Are you sure you want to STOP
|
||||
Are you sure you want to UNSTOP ,Are you sure you want to UNSTOP
|
||||
Arrear Amount,நிலுவை தொகை
|
||||
"As Production Order can be made for this item, it must be a stock item.","உத்தரவு இந்த உருப்படிக்கு செய்து கொள்ள முடியும் என , அது ஒரு பங்கு பொருளாக இருக்க வேண்டும் ."
|
||||
As per Stock UOM,பங்கு மொறட்டுவ பல்கலைகழகம் படி
|
||||
@ -284,7 +284,7 @@ Auto Accounting For Stock Settings,பங்கு அமைப்புகள
|
||||
Auto Material Request,கார் பொருள் கோரிக்கை
|
||||
Auto-raise Material Request if quantity goes below re-order level in a warehouse,அளவு ஒரு கிடங்கில் மறு ஒழுங்கு நிலை கீழே சென்றால் பொருள் கோரிக்கை ஆட்டோ உயர்த்த
|
||||
Automatically compose message on submission of transactions.,தானாக நடவடிக்கைகள் சமர்ப்பிப்பு செய்தி உருவாக்கும் .
|
||||
Automatically extract Job Applicants from a mail box ,
|
||||
Automatically extract Job Applicants from a mail box ,Automatically extract Job Applicants from a mail box
|
||||
Automatically extract Leads from a mail box e.g.,"தானாக ஒரு மின்னஞ்சல் பெட்டியில் இருந்து செல்கிறது பெறுவதற்கு , எ.கா."
|
||||
Automatically updated via Stock Entry of type Manufacture/Repack,தானாக வகை உற்பத்தி / Repack பங்கு நுழைவு வழியாக மேம்படுத்தப்பட்டது
|
||||
Automotive,வாகன
|
||||
@ -511,7 +511,7 @@ Clearance Date,அனுமதி தேதி
|
||||
Clearance Date not mentioned,இசைவு தேதி குறிப்பிடப்படவில்லை
|
||||
Clearance date cannot be before check date in row {0},இசைவு தேதி வரிசையில் காசோலை தேதி முன் இருக்க முடியாது {0}
|
||||
Click on 'Make Sales Invoice' button to create a new Sales Invoice.,ஒரு புதிய விற்பனை விலைப்பட்டியல் உருவாக்க பொத்தானை 'விற்பனை விலைப்பட்டியல் கொள்ளுங்கள்' கிளிக்.
|
||||
Click on a link to get options to expand get options ,
|
||||
Click on a link to get options to expand get options ,Click on a link to get options to expand get options
|
||||
Client,கிளையன்
|
||||
Close Balance Sheet and book Profit or Loss.,Close இருப்புநிலை மற்றும் புத்தகம் லாபம் அல்லது நஷ்டம் .
|
||||
Closed,மூடிய
|
||||
@ -841,13 +841,13 @@ Distributor,பகிர்கருவி
|
||||
Divorced,விவாகரத்து
|
||||
Do Not Contact,தொடர்பு இல்லை
|
||||
Do not show any symbol like $ etc next to currencies.,நாணயங்கள் அடுத்த $ ஹிப்ரு போன்றவை எந்த சின்னம் காட்டாதே.
|
||||
Do really want to unstop production order: ,
|
||||
Do you really want to STOP ,
|
||||
Do really want to unstop production order: ,Do really want to unstop production order:
|
||||
Do you really want to STOP ,Do you really want to STOP
|
||||
Do you really want to STOP this Material Request?,நீங்கள் உண்மையில் இந்த பொருள் கோரிக்கை நிறுத்த விரும்புகிறீர்களா ?
|
||||
Do you really want to Submit all Salary Slip for month {0} and year {1},நீங்கள் உண்மையில் {0} மற்றும் ஆண்டு {1} மாதத்தில் சம்பள சமர்ப்பிக்க விரும்புகிறீர்களா
|
||||
Do you really want to UNSTOP ,
|
||||
Do you really want to UNSTOP ,Do you really want to UNSTOP
|
||||
Do you really want to UNSTOP this Material Request?,நீங்கள் உண்மையில் இந்த பொருள் கோரிக்கை தடை இல்லாத விரும்புகிறீர்களா?
|
||||
Do you really want to stop production order: ,
|
||||
Do you really want to stop production order: ,Do you really want to stop production order:
|
||||
Doc Name,Doc பெயர்
|
||||
Doc Type,Doc வகை
|
||||
Document Description,ஆவண விவரம்
|
||||
@ -899,7 +899,7 @@ Electronics,மின்னணுவியல்
|
||||
Email,மின்னஞ்சல்
|
||||
Email Digest,மின்னஞ்சல் டைஜஸ்ட்
|
||||
Email Digest Settings,மின்னஞ்சல் டைஜஸ்ட் அமைப்புகள்
|
||||
Email Digest: ,
|
||||
Email Digest: ,Email Digest:
|
||||
Email Id,மின்னஞ்சல் விலாசம்
|
||||
"Email Id where a job applicant will email e.g. ""jobs@example.com""",ஒரு வேலை விண்ணப்பதாரர் எ.கா. "jobs@example.com" மின்னஞ்சல் எங்கு மின்னஞ்சல் விலாசம்
|
||||
Email Notifications,மின்னஞ்சல் அறிவிப்புகள்
|
||||
@ -959,7 +959,7 @@ Enter url parameter for receiver nos,ரிசீவர் இலக்கங்
|
||||
Entertainment & Leisure,பொழுதுபோக்கு & ஓய்வு
|
||||
Entertainment Expenses,பொழுதுபோக்கு செலவினங்கள்
|
||||
Entries,பதிவுகள்
|
||||
Entries against ,
|
||||
Entries against ,Entries against
|
||||
Entries are not allowed against this Fiscal Year if the year is closed.,ஆண்டு மூடப்பட்டு என்றால் உள்ளீடுகளை இந்த நிதியாண்டு எதிராக அனுமதி இல்லை.
|
||||
Equity,ஈக்விட்டி
|
||||
Error: {0} > {1},பிழை: {0} > {1}
|
||||
@ -1574,7 +1574,7 @@ Maintenance Visit Purpose,பராமரிப்பு சென்று ந
|
||||
Maintenance Visit {0} must be cancelled before cancelling this Sales Order,பராமரிப்பு வருகை {0} இந்த விற்பனை ஆணை ரத்து முன் ரத்து செய்யப்பட வேண்டும்
|
||||
Maintenance start date can not be before delivery date for Serial No {0},"பராமரிப்பு தொடக்க தேதி சீரியல் இல்லை , விநியோகம் தேதி முன் இருக்க முடியாது {0}"
|
||||
Major/Optional Subjects,முக்கிய / விருப்ப பாடங்கள்
|
||||
Make ,
|
||||
Make ,Make
|
||||
Make Accounting Entry For Every Stock Movement,"ஒவ்வொரு பங்கு இயக்கம் , பைனான்ஸ் உள்ளீடு செய்ய"
|
||||
Make Bank Voucher,வங்கி வவுச்சர் செய்ய
|
||||
Make Credit Note,கடன் நினைவில் கொள்ளுங்கள்
|
||||
@ -1723,7 +1723,7 @@ Net Weight UOM,நிகர எடை மொறட்டுவ பல்க
|
||||
Net Weight of each Item,ஒவ்வொரு பொருள் நிகர எடை
|
||||
Net pay cannot be negative,நிகர ஊதியம் எதிர்மறை இருக்க முடியாது
|
||||
Never,இல்லை
|
||||
New ,
|
||||
New ,New
|
||||
New Account,புதிய கணக்கு
|
||||
New Account Name,புதிய கணக்கு பெயர்
|
||||
New BOM,புதிய BOM
|
||||
@ -2449,7 +2449,7 @@ Rounded Off,வட்டமான இனிய
|
||||
Rounded Total,வட்டமான மொத்த
|
||||
Rounded Total (Company Currency),வட்டமான மொத்த (நிறுவனத்தின் கரன்சி)
|
||||
Row # ,# வரிசையை
|
||||
Row # {0}: ,
|
||||
Row # {0}: ,Row # {0}:
|
||||
Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,ரோ # {0}: ஆணையிட்டார் அளவு (உருப்படியை மாஸ்டர் வரையறுக்கப்பட்ட) உருப்படியை குறைந்தபட்ச வரிசை அளவு குறைவாக முடியாது.
|
||||
Row #{0}: Please specify Serial No for Item {1},ரோ # {0}: பொருள் சீரியல் இல்லை குறிப்பிடவும் {1}
|
||||
Row {0}: Account does not match with \ Purchase Invoice Credit To account,ரோ {0}: \ கொள்முதல் விலைப்பட்டியல் கடன் கணக்கிலிருந்து கொண்டு பொருந்தவில்லை
|
||||
@ -2751,7 +2751,7 @@ Stock Ageing,பங்கு மூப்படைதலுக்கான
|
||||
Stock Analytics,பங்கு அனலிட்டிக்ஸ்
|
||||
Stock Assets,பங்கு சொத்துக்கள்
|
||||
Stock Balance,பங்கு இருப்பு
|
||||
Stock Entries already created for Production Order ,
|
||||
Stock Entries already created for Production Order ,Stock Entries already created for Production Order
|
||||
Stock Entry,பங்கு நுழைவு
|
||||
Stock Entry Detail,பங்கு நுழைவு விரிவாக
|
||||
Stock Expenses,பங்கு செலவுகள்
|
||||
|
|
@ -175,7 +175,7 @@ All Customer Groups,ทุกกลุ่ม ลูกค้า
|
||||
All Day,ทั้งวัน
|
||||
All Employee (Active),พนักงาน (Active) ทั้งหมด
|
||||
All Item Groups,ทั้งหมด รายการ กลุ่ม
|
||||
All Lead (Open),ตะกั่ว (เปิด) ทั้งหมด
|
||||
All Lead (Open),ผู้นำทั้งหมด (เปิด) ทั้งหมด
|
||||
All Products or Services.,ผลิตภัณฑ์หรือบริการ ทั้งหมด
|
||||
All Sales Partner Contact,ทั้งหมดติดต่อพันธมิตรการขาย
|
||||
All Sales Person,คนขายทั้งหมด
|
||||
@ -193,9 +193,9 @@ Allocated Amount,จำนวนที่จัดสรร
|
||||
Allocated Budget,งบประมาณที่จัดสรร
|
||||
Allocated amount,จำนวนที่จัดสรร
|
||||
Allocated amount can not be negative,จำนวนเงินที่จัดสรร ไม่สามารถ ลบ
|
||||
Allocated amount can not greater than unadusted amount,จำนวนเงินที่จัดสรร ไม่สามารถ มากกว่าจำนวน unadusted
|
||||
Allow Bill of Materials,อนุญาตให้ Bill of Materials
|
||||
Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item,อนุญาตให้ Bill of Materials ควรจะ 'ใช่' เพราะ หนึ่งหรือ BOMs ใช้งาน จำนวนมาก ในปัจจุบัน สำหรับรายการนี้
|
||||
Allocated amount can not greater than unadusted amount,จำนวนเงินที่จัดสรร ไม่สามารถ มากกว่าจำนวนที่ยังไม่ปรับปรุง
|
||||
Allow Bill of Materials,อนุญาตให้ รายการวัตถุดิบ
|
||||
Allow Bill of Materials should be 'Yes'. Because one or many active BOMs present for this item,อนุญาตให้ รายการวัตถุดิบ ควรจะ 'ใช่' เพราะหนึ่งหรือหลาย BOMs ที่ใช้งานในปัจจุบันสำหรับรายการนี้
|
||||
Allow Children,อนุญาตให้ เด็ก
|
||||
Allow Dropbox Access,ที่อนุญาตให้เข้าถึง Dropbox
|
||||
Allow Google Drive Access,ที่อนุญาตให้เข้าถึงใน Google Drive
|
||||
@ -254,8 +254,8 @@ Approving Role,อนุมัติบทบาท
|
||||
Approving Role cannot be same as role the rule is Applicable To,อนุมัติ บทบาท ไม่สามารถเป็น เช่นเดียวกับ บทบาทของ กฎใช้กับ
|
||||
Approving User,อนุมัติผู้ใช้
|
||||
Approving User cannot be same as user the rule is Applicable To,อนุมัติ ผู้ใช้ ไม่สามารถเป็น เช่นเดียวกับ ผู้ ปกครองใช้กับ
|
||||
Are you sure you want to STOP ,
|
||||
Are you sure you want to UNSTOP ,
|
||||
Are you sure you want to STOP ,Are you sure you want to STOP
|
||||
Are you sure you want to UNSTOP ,Are you sure you want to UNSTOP
|
||||
Arrear Amount,จำนวน Arrear
|
||||
"As Production Order can be made for this item, it must be a stock item.",ในขณะที่ การผลิต สามารถสั่ง ทำ สำหรับรายการ นี้จะต้อง เป็นรายการ สต็อก
|
||||
As per Stock UOM,เป็นต่อสต็อก UOM
|
||||
@ -284,7 +284,7 @@ Auto Accounting For Stock Settings,บัญชี อัตโนมัติ
|
||||
Auto Material Request,ขอวัสดุอัตโนมัติ
|
||||
Auto-raise Material Request if quantity goes below re-order level in a warehouse,Auto-ยกคำขอถ้าปริมาณวัสดุไปต่ำกว่าระดับใหม่สั่งในคลังสินค้า
|
||||
Automatically compose message on submission of transactions.,เขียนข้อความ โดยอัตโนมัติใน การส่ง ของ การทำธุรกรรม
|
||||
Automatically extract Job Applicants from a mail box ,
|
||||
Automatically extract Job Applicants from a mail box ,Automatically extract Job Applicants from a mail box
|
||||
Automatically extract Leads from a mail box e.g.,สารสกัดจาก Leads โดยอัตโนมัติจาก กล่องจดหมายเช่นผู้
|
||||
Automatically updated via Stock Entry of type Manufacture/Repack,ปรับปรุงโดยอัตโนมัติผ่านทางรายการในสต็อกการผลิตประเภท / Repack
|
||||
Automotive,ยานยนต์
|
||||
@ -324,7 +324,7 @@ Balance must be,จะต้องมี ความสมดุล
|
||||
"Balances of Accounts of type ""Bank"" or ""Cash""","ยอดคงเหลือ ของ บัญชี ประเภท ""ธนาคาร "" หรือ "" เงินสด """
|
||||
Bank,ธนาคาร
|
||||
Bank / Cash Account,บัญชีธนาคาร / เงินสด
|
||||
Bank A/C No.,ธนาคาร / เลขที่ C
|
||||
Bank A/C No.,เลขที่บัญชีธนาคาร
|
||||
Bank Account,บัญชีเงินฝาก
|
||||
Bank Account No.,เลขที่บัญชีธนาคาร
|
||||
Bank Accounts,บัญชี ธนาคาร
|
||||
@ -511,7 +511,7 @@ Clearance Date,วันที่กวาดล้าง
|
||||
Clearance Date not mentioned,โปรโมชั่น วันที่ ไม่ได้กล่าวถึง
|
||||
Clearance date cannot be before check date in row {0},วันที่ โปรโมชั่น ไม่สามารถเป็น ก่อนวันที่ เช็คอิน แถว {0}
|
||||
Click on 'Make Sales Invoice' button to create a new Sales Invoice.,คลิกที่ 'ให้ขายใบแจ้งหนี้' เพื่อสร้างใบแจ้งหนี้การขายใหม่
|
||||
Click on a link to get options to expand get options ,
|
||||
Click on a link to get options to expand get options ,Click on a link to get options to expand get options
|
||||
Client,ลูกค้า
|
||||
Close Balance Sheet and book Profit or Loss.,ปิด งบดุล และงบกำไร ขาดทุน หรือ หนังสือ
|
||||
Closed,ปิด
|
||||
@ -675,8 +675,8 @@ Custom Message,ข้อความที่กำหนดเอง
|
||||
Customer,ลูกค้า
|
||||
Customer (Receivable) Account,บัญชีลูกค้า (ลูกหนี้)
|
||||
Customer / Item Name,ชื่อลูกค้า / รายการ
|
||||
Customer / Lead Address,ลูกค้า / ตะกั่ว อยู่
|
||||
Customer / Lead Name,ลูกค้า / ชื่อ ตะกั่ว
|
||||
Customer / Lead Address,ลูกค้า / ที่อยู่
|
||||
Customer / Lead Name,ลูกค้า / ชื่อ
|
||||
Customer > Customer Group > Territory,ลูกค้า> กลุ่มลูกค้า> มณฑล
|
||||
Customer Account Head,หัวหน้าฝ่ายบริการลูกค้า
|
||||
Customer Acquisition and Loyalty,การซื้อ ของลูกค้าและ ความจงรักภักดี
|
||||
@ -841,13 +841,13 @@ Distributor,ผู้จัดจำหน่าย
|
||||
Divorced,หย่าร้าง
|
||||
Do Not Contact,ไม่ ติดต่อ
|
||||
Do not show any symbol like $ etc next to currencies.,ไม่แสดงสัญลักษณ์ใด ๆ เช่น ฯลฯ $ ต่อไปกับเงินสกุล
|
||||
Do really want to unstop production order: ,
|
||||
Do you really want to STOP ,
|
||||
Do really want to unstop production order: ,Do really want to unstop production order:
|
||||
Do you really want to STOP ,Do you really want to STOP
|
||||
Do you really want to STOP this Material Request?,คุณ ต้องการที่จะ หยุด การร้องขอ วัสดุ นี้
|
||||
Do you really want to Submit all Salary Slip for month {0} and year {1},คุณ ต้องการที่จะ ส่ง สลิป เงินเดือน ทุก เดือน {0} และปี {1}
|
||||
Do you really want to UNSTOP ,
|
||||
Do you really want to UNSTOP ,Do you really want to UNSTOP
|
||||
Do you really want to UNSTOP this Material Request?,คุณต้องการ จริงๆที่จะ เปิดจุก ขอ วัสดุ นี้
|
||||
Do you really want to stop production order: ,
|
||||
Do you really want to stop production order: ,Do you really want to stop production order:
|
||||
Doc Name,ชื่อหมอ
|
||||
Doc Type,ประเภท Doc
|
||||
Document Description,คำอธิบายเอกสาร
|
||||
@ -899,7 +899,7 @@ Electronics,อิเล็กทรอนิกส์
|
||||
Email,อีเมล์
|
||||
Email Digest,ข่าวสารทางอีเมล
|
||||
Email Digest Settings,การตั้งค่าอีเมลเด่น
|
||||
Email Digest: ,
|
||||
Email Digest: ,Email Digest:
|
||||
Email Id,Email รหัส
|
||||
"Email Id where a job applicant will email e.g. ""jobs@example.com""",Email รหัสที่ผู้สมัครงานจะส่งอีเมลถึง "jobs@example.com" เช่น
|
||||
Email Notifications,การแจ้งเตือน ทางอีเมล์
|
||||
@ -946,7 +946,7 @@ End of Life,ในตอนท้ายของชีวิต
|
||||
Energy,พลังงาน
|
||||
Engineer,วิศวกร
|
||||
Enter Verification Code,ใส่รหัสยืนยัน
|
||||
Enter campaign name if the source of lead is campaign.,ป้อนชื่อแคมเปญหากแหล่งที่มาของสารตะกั่วเป็นแคมเปญ
|
||||
Enter campaign name if the source of lead is campaign.,ใส่ชื่อแคมเปญ ถ้า แหล่งที่มาเป็นแคมเปญของผู้นำ
|
||||
Enter department to which this Contact belongs,ใส่แผนกที่ติดต่อนี้เป็นของ
|
||||
Enter designation of this Contact,ใส่ชื่อของเราได้ที่นี่
|
||||
"Enter email id separated by commas, invoice will be mailed automatically on particular date",ใส่หมายเลขอีเมลคั่นด้วยเครื่องหมายจุลภาคใบแจ้งหนี้จะถูกส่งโดยอัตโนมัติในวันที่เจาะจง
|
||||
@ -959,7 +959,7 @@ Enter url parameter for receiver nos,ป้อนพารามิเตอร
|
||||
Entertainment & Leisure,บันเทิงและ การพักผ่อน
|
||||
Entertainment Expenses,ค่าใช้จ่ายใน ความบันเทิง
|
||||
Entries,คอมเมนต์
|
||||
Entries against ,
|
||||
Entries against ,Entries against
|
||||
Entries are not allowed against this Fiscal Year if the year is closed.,คอมเมนต์ไม่ได้รับอนุญาตกับปีงบประมาณนี้หากที่ปิดปี
|
||||
Equity,ความเสมอภาค
|
||||
Error: {0} > {1},ข้อผิดพลาด: {0}> {1}
|
||||
@ -1258,7 +1258,7 @@ In Hours,ในชั่วโมง
|
||||
In Process,ในกระบวนการ
|
||||
In Qty,ใน จำนวน
|
||||
In Value,ใน มูลค่า
|
||||
In Words,ในคำพูดของ
|
||||
In Words,จำนวนเงิน (ตัวอักษร)
|
||||
In Words (Company Currency),ในคำ (สกุลเงิน บริษัท )
|
||||
In Words (Export) will be visible once you save the Delivery Note.,ในคำพูดของ (ส่งออก) จะปรากฏเมื่อคุณบันทึกหมายเหตุจัดส่งสินค้า
|
||||
In Words will be visible once you save the Delivery Note.,ในคำพูดของจะสามารถมองเห็นได้เมื่อคุณบันทึกหมายเหตุจัดส่งสินค้า
|
||||
@ -1353,9 +1353,9 @@ Issue Date,วันที่ออก
|
||||
Issue Details,รายละเอียดปัญหา
|
||||
Issued Items Against Production Order,รายการที่ออกมาต่อต้านการสั่งซื้อการผลิต
|
||||
It can also be used to create opening stock entries and to fix stock value.,นอกจากนี้ยังสามารถ ใช้ในการสร้าง การเปิด รายการ สต็อกและ การแก้ไข ค่า หุ้น
|
||||
Item,ชิ้น
|
||||
Item,สินค้า
|
||||
Item Advanced,ขั้นสูงรายการ
|
||||
Item Barcode,เครื่องอ่านบาร์โค้ดสินค้า
|
||||
Item Barcode,บาร์โค้ดสินค้า
|
||||
Item Batch Nos,Nos Batch รายการ
|
||||
Item Code,รหัสสินค้า
|
||||
Item Code > Item Group > Brand,รหัสสินค้า> กลุ่มสินค้า> ยี่ห้อ
|
||||
@ -1363,7 +1363,7 @@ Item Code and Warehouse should already exist.,รหัสสินค้า แ
|
||||
Item Code cannot be changed for Serial No.,รหัสสินค้า ไม่สามารถ เปลี่ยนเป็น เลข อนุกรม
|
||||
Item Code is mandatory because Item is not automatically numbered,รหัสสินค้า ที่จำเป็น เพราะ สินค้า ไม่ เลขโดยอัตโนมัติ
|
||||
Item Code required at Row No {0},รหัสสินค้า ที่จำเป็น ที่ แถว ไม่มี {0}
|
||||
Item Customer Detail,รายละเอียดลูกค้ารายการ
|
||||
Item Customer Detail,รายละเอียดรายการของลูกค้า
|
||||
Item Description,รายละเอียดสินค้า
|
||||
Item Desription,Desription รายการ
|
||||
Item Details,รายละเอียดสินค้า
|
||||
@ -1376,19 +1376,19 @@ Item Image (if not slideshow),รูปภาพสินค้า (ถ้าไ
|
||||
Item Name,ชื่อรายการ
|
||||
Item Naming By,รายการการตั้งชื่อตาม
|
||||
Item Price,ราคาสินค้า
|
||||
Item Prices,ตรวจสอบราคาสินค้า
|
||||
Item Prices,รายการราคาสินค้า
|
||||
Item Quality Inspection Parameter,รายการพารามิเตอร์การตรวจสอบคุณภาพ
|
||||
Item Reorder,รายการ Reorder
|
||||
Item Serial No,รายการ Serial ไม่มี
|
||||
Item Serial No,รายการ Serial No.
|
||||
Item Serial Nos,Nos อนุกรมรายการ
|
||||
Item Shortage Report,รายงาน ภาวะการขาดแคลน สินค้า
|
||||
Item Shortage Report,รายงานสินค้าไม่เพียงพอ
|
||||
Item Supplier,ผู้ผลิตรายการ
|
||||
Item Supplier Details,รายละเอียดสินค้ารายการ
|
||||
Item Tax,ภาษีสินค้า
|
||||
Item Tax Amount,จำนวนภาษีรายการ
|
||||
Item Tax Rate,อัตราภาษีสินค้า
|
||||
Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,รายการ แถว ภาษี {0} ต้องมีบัญชี ภาษี ประเภท หรือ รายได้ หรือ ค่าใช้จ่าย หรือ คิดค่าบริการได้
|
||||
Item Tax1,Tax1 รายการ
|
||||
Item Tax1,รายการ Tax1
|
||||
Item To Manufacture,รายการที่จะผลิต
|
||||
Item UOM,UOM รายการ
|
||||
Item Website Specification,สเปกเว็บไซต์รายการ
|
||||
@ -1455,13 +1455,13 @@ Job Profile,รายละเอียด งาน
|
||||
Job Title,ตำแหน่งงาน
|
||||
"Job profile, qualifications required etc.",รายละเอียด งาน คุณสมบัติ ที่จำเป็น อื่น ๆ
|
||||
Jobs Email Settings,งานการตั้งค่าอีเมล
|
||||
Journal Entries,คอมเมนต์วารสาร
|
||||
Journal Entry,รายการวารสาร
|
||||
Journal Entries,บันทึกรายการแบบรวม
|
||||
Journal Entry,บันทึกรายการค้า
|
||||
Journal Voucher,บัตรกำนัลวารสาร
|
||||
Journal Voucher Detail,รายละเอียดบัตรกำนัลวารสาร
|
||||
Journal Voucher Detail No,รายละเอียดบัตรกำนัลวารสารไม่มี
|
||||
Journal Voucher {0} does not have account {1} or already matched,วารสาร คูปอง {0} ไม่ได้มี บัญชี {1} หรือ การจับคู่ แล้ว
|
||||
Journal Vouchers {0} are un-linked,วารสาร บัตรกำนัล {0} จะ ยกเลิกการ เชื่อมโยง
|
||||
Journal Voucher Detail,รายละเอียดใบสำคัญรายวันทั่วไป
|
||||
Journal Voucher Detail No,รายละเอียดใบสำคัญรายวันทั่วไปไม่มี
|
||||
Journal Voucher {0} does not have account {1} or already matched,ใบสำคัญรายวันทั่วไป {0} ไม่ได้มี บัญชี {1} หรือ การจับคู่ แล้ว
|
||||
Journal Vouchers {0} are un-linked,ใบสำคัญรายวันทั่วไป {0} จะ ยกเลิกการ เชื่อมโยง
|
||||
Keep a track of communication related to this enquiry which will help for future reference.,ติดตามของการสื่อสารที่เกี่ยวข้องกับการสืบสวนเรื่องนี้ซึ่งจะช่วยให้สำหรับการอ้างอิงในอนาคต
|
||||
Keep it web friendly 900px (w) by 100px (h),ให้มัน เว็บ 900px มิตร (กว้าง ) โดย 100px (ซ)
|
||||
Key Performance Area,พื้นที่การดำเนินงานหลัก
|
||||
@ -1491,7 +1491,7 @@ Lead Time Date,นำวันเวลา
|
||||
Lead Time Days,นำวันเวลา
|
||||
Lead Time days is number of days by which this item is expected in your warehouse. This days is fetched in Material Request when you select this item.,นำวันเวลาเป็นจำนวนวันโดยที่รายการนี้คาดว่าในคลังสินค้าของคุณ วันนี้จะมาในการร้องขอวัสดุเมื่อคุณเลือกรายการนี้
|
||||
Lead Type,นำประเภท
|
||||
Lead must be set if Opportunity is made from Lead,ตะกั่ว จะต้องตั้งค่า ถ้า โอกาส ที่ทำจาก ตะกั่ว
|
||||
Lead must be set if Opportunity is made from Lead,หัวหน้า จะต้องตั้งค่า หรือได้รับสิทธิ์จากหัวหน้า
|
||||
Leave Allocation,ฝากจัดสรร
|
||||
Leave Allocation Tool,ฝากเครื่องมือการจัดสรร
|
||||
Leave Application,ฝากแอพลิเคชัน
|
||||
@ -1723,7 +1723,7 @@ Net Weight UOM,UOM น้ำหนักสุทธิ
|
||||
Net Weight of each Item,น้ำหนักสุทธิของแต่ละรายการ
|
||||
Net pay cannot be negative,จ่ายสุทธิ ไม่สามารถ ลบ
|
||||
Never,ไม่เคย
|
||||
New ,
|
||||
New ,New
|
||||
New Account,บัญชีผู้ใช้ใหม่
|
||||
New Account Name,ชื่อ บัญชีผู้ใช้ใหม่
|
||||
New BOM,BOM ใหม่
|
||||
@ -2012,7 +2012,7 @@ Please check 'Is Advance' against Account {0} if this is an advance entry.,ก
|
||||
Please click on 'Generate Schedule',กรุณา คลิกที่ 'สร้าง ตาราง '
|
||||
Please click on 'Generate Schedule' to fetch Serial No added for Item {0},กรุณา คลิกที่ 'สร้าง ตาราง ' เพื่อ เรียก หมายเลขเครื่อง เพิ่มสำหรับ รายการ {0}
|
||||
Please click on 'Generate Schedule' to get schedule,กรุณา คลิกที่ 'สร้าง ตาราง ' ที่จะได้รับ ตารางเวลา
|
||||
Please create Customer from Lead {0},กรุณาสร้าง ลูกค้า จาก ตะกั่ว {0}
|
||||
Please create Customer from Lead {0},กรุณาสร้าง ลูกค้า จากหัวหน้า {0}
|
||||
Please create Salary Structure for employee {0},กรุณาสร้าง โครงสร้าง เงินเดือน สำหรับพนักงาน {0}
|
||||
Please create new account from Chart of Accounts.,กรุณา สร้างบัญชี ใหม่จาก ผังบัญชี
|
||||
Please do NOT create Account (Ledgers) for Customers and Suppliers. They are created directly from the Customer / Supplier masters.,กรุณา อย่า สร้าง บัญชี ( Ledgers ) สำหรับลูกค้า และ ซัพพลายเออร์ พวกเขาจะ สร้างขึ้นโดยตรง จากผู้เชี่ยวชาญ ลูกค้า / ผู้จัดจำหน่าย
|
||||
@ -2223,20 +2223,20 @@ Purchase Order Items,ซื้อสินค้าสั่งซื้อ
|
||||
Purchase Order Items Supplied,รายการสั่งซื้อที่จำหน่าย
|
||||
Purchase Order Items To Be Billed,รายการใบสั่งซื้อที่จะได้รับจำนวนมากที่สุด
|
||||
Purchase Order Items To Be Received,รายการสั่งซื้อที่จะได้รับ
|
||||
Purchase Order Message,สั่งซื้อสั่งซื้อข้อความ
|
||||
Purchase Order Required,จำเป็นต้องมีการสั่งซื้อ
|
||||
Purchase Order Trends,ซื้อแนวโน้มการสั่งซื้อ
|
||||
Purchase Order Message,ข้อความใบสั่งซื้อ
|
||||
Purchase Order Required,ใบสั่งซื้อที่ต้องการ
|
||||
Purchase Order Trends,แนวโน้มการสั่งซื้อ
|
||||
Purchase Order number required for Item {0},จำนวน การสั่งซื้อ สินค้า ที่จำเป็นสำหรับ {0}
|
||||
Purchase Order {0} is 'Stopped',สั่งซื้อ {0} คือ ' หยุด '
|
||||
Purchase Order {0} is not submitted,สั่งซื้อ {0} ไม่ได้ ส่ง
|
||||
Purchase Orders given to Suppliers.,ใบสั่งซื้อที่กำหนดให้ผู้ซื้อผู้ขาย
|
||||
Purchase Receipt,ซื้อใบเสร็จรับเงิน
|
||||
Purchase Orders given to Suppliers.,ใบสั่งซื้อให้กับซัพพลายเออร์
|
||||
Purchase Receipt,ใบเสร็จรับเงินการสั่งซื้อ
|
||||
Purchase Receipt Item,ซื้อสินค้าใบเสร็จรับเงิน
|
||||
Purchase Receipt Item Supplied,รายการรับซื้อจำหน่าย
|
||||
Purchase Receipt Item Supplieds,สั่งซื้อสินค้าใบเสร็จรับเงิน Supplieds
|
||||
Purchase Receipt Items,ซื้อสินค้าใบเสร็จรับเงิน
|
||||
Purchase Receipt Message,ซื้อใบเสร็จรับเงินข้อความ
|
||||
Purchase Receipt No,ใบเสร็จรับเงินซื้อไม่มี
|
||||
Purchase Receipt No,หมายเลขใบเสร็จรับเงิน (ซื้อ)
|
||||
Purchase Receipt Required,รับซื้อที่จำเป็น
|
||||
Purchase Receipt Trends,ซื้อแนวโน้มใบเสร็จรับเงิน
|
||||
Purchase Receipt number required for Item {0},จำนวน รับซื้อ ที่จำเป็นสำหรับ รายการ {0}
|
||||
@ -2449,7 +2449,7 @@ Rounded Off,โค้ง ปิด
|
||||
Rounded Total,รวมกลม
|
||||
Rounded Total (Company Currency),รวมกลม (สกุลเงิน บริษัท )
|
||||
Row # ,แถว #
|
||||
Row # {0}: ,
|
||||
Row # {0}: ,Row # {0}:
|
||||
Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,แถว # {0}: จำนวนสั่งซื้อไม่น้อยกว่าจำนวนสั่งซื้อขั้นต่ำของรายการ (ที่กำหนดไว้ในหลักรายการ)
|
||||
Row #{0}: Please specify Serial No for Item {1},แถว # {0}: โปรดระบุหมายเลขเครื่องกับรายการ {1}
|
||||
Row {0}: Account does not match with \ Purchase Invoice Credit To account,แถว {0}: บัญชีไม่ตรงกับที่มีการ \ ซื้อใบแจ้งหนี้บัตรเครดิตเพื่อบัญชี
|
||||
@ -2751,7 +2751,7 @@ Stock Ageing,เอจจิ้งสต็อก
|
||||
Stock Analytics,สต็อก Analytics
|
||||
Stock Assets,สินทรัพย์ หุ้น
|
||||
Stock Balance,ยอดคงเหลือสต็อก
|
||||
Stock Entries already created for Production Order ,
|
||||
Stock Entries already created for Production Order ,Stock Entries already created for Production Order
|
||||
Stock Entry,รายการสินค้า
|
||||
Stock Entry Detail,รายละเอียดรายการสินค้า
|
||||
Stock Expenses,ค่าใช้จ่ายใน สต็อก
|
||||
|
|
File diff suppressed because it is too large
Load Diff
@ -1,5 +1,5 @@
|
||||
(Half Day),
|
||||
and year: ,
|
||||
(Half Day), (Half Day)
|
||||
and year: , and year:
|
||||
""" does not exists","""Không tồn tại"
|
||||
% Delivered,Giao%
|
||||
% Amount Billed,% Số tiền Được quảng cáo
|
||||
@ -92,7 +92,7 @@ Accounts Payable,Tài khoản Phải trả
|
||||
Accounts Receivable,Tài khoản Phải thu
|
||||
Accounts Settings,Chiếm chỉnh
|
||||
Active,Chủ động
|
||||
Active: Will extract emails from ,
|
||||
Active: Will extract emails from ,Active: Will extract emails from
|
||||
Activity,Hoạt động
|
||||
Activity Log,Đăng nhập hoạt động
|
||||
Activity Log:,Lần đăng nhập:
|
||||
@ -254,8 +254,8 @@ Approving Role,Phê duyệt Vai trò
|
||||
Approving Role cannot be same as role the rule is Applicable To,Phê duyệt Vai trò không thể giống như vai trò của quy tắc là áp dụng để
|
||||
Approving User,Phê duyệt danh
|
||||
Approving User cannot be same as user the rule is Applicable To,Phê duyệt Người dùng không thể được giống như sử dụng các quy tắc là áp dụng để
|
||||
Are you sure you want to STOP ,
|
||||
Are you sure you want to UNSTOP ,
|
||||
Are you sure you want to STOP ,Are you sure you want to STOP
|
||||
Are you sure you want to UNSTOP ,Are you sure you want to UNSTOP
|
||||
Arrear Amount,Tiền còn thiếu Số tiền
|
||||
"As Production Order can be made for this item, it must be a stock item.","Như sản xuất hàng có thể được thực hiện cho mặt hàng này, nó phải là một mục chứng khoán."
|
||||
As per Stock UOM,Theo Cổ UOM
|
||||
@ -284,7 +284,7 @@ Auto Accounting For Stock Settings,Tự động chỉnh Kế toán Đối với
|
||||
Auto Material Request,Vật liệu tự động Yêu cầu
|
||||
Auto-raise Material Request if quantity goes below re-order level in a warehouse,Tự động nâng cao Vật liệu Yêu cầu nếu số lượng đi dưới mức lại trật tự trong một nhà kho
|
||||
Automatically compose message on submission of transactions.,Tự động soạn tin nhắn trên trình giao dịch.
|
||||
Automatically extract Job Applicants from a mail box ,
|
||||
Automatically extract Job Applicants from a mail box ,Automatically extract Job Applicants from a mail box
|
||||
Automatically extract Leads from a mail box e.g.,Tự động trích xuất chào từ một hộp thư ví dụ như
|
||||
Automatically updated via Stock Entry of type Manufacture/Repack,Tự động cập nhật thông qua hàng nhập loại Sản xuất / Repack
|
||||
Automotive,Ô tô
|
||||
@ -511,7 +511,7 @@ Clearance Date,Giải phóng mặt bằng ngày
|
||||
Clearance Date not mentioned,Giải phóng mặt bằng ngày không được đề cập
|
||||
Clearance date cannot be before check date in row {0},Ngày giải phóng mặt bằng không có thể trước ngày kiểm tra trong hàng {0}
|
||||
Click on 'Make Sales Invoice' button to create a new Sales Invoice.,"Bấm vào nút ""Thực hiện kinh doanh Hoá đơn 'để tạo ra một hóa đơn bán hàng mới."
|
||||
Click on a link to get options to expand get options ,
|
||||
Click on a link to get options to expand get options ,Click on a link to get options to expand get options
|
||||
Client,Khách hàng
|
||||
Close Balance Sheet and book Profit or Loss.,Gần Cân đối kế toán và lợi nhuận cuốn sách hay mất.
|
||||
Closed,Đã đóng
|
||||
@ -841,13 +841,13 @@ Distributor,Nhà phân phối
|
||||
Divorced,Đa ly dị
|
||||
Do Not Contact,Không Liên
|
||||
Do not show any symbol like $ etc next to currencies.,Không hiển thị bất kỳ biểu tượng như $ vv bên cạnh tiền tệ.
|
||||
Do really want to unstop production order: ,
|
||||
Do you really want to STOP ,
|
||||
Do really want to unstop production order: ,Do really want to unstop production order:
|
||||
Do you really want to STOP ,Do you really want to STOP
|
||||
Do you really want to STOP this Material Request?,Bạn có thực sự muốn để STOP Yêu cầu vật liệu này?
|
||||
Do you really want to Submit all Salary Slip for month {0} and year {1},Bạn có thực sự muốn để gửi tất cả các Phiếu lương cho tháng {0} và năm {1}
|
||||
Do you really want to UNSTOP ,
|
||||
Do you really want to UNSTOP ,Do you really want to UNSTOP
|
||||
Do you really want to UNSTOP this Material Request?,Bạn có thực sự muốn tháo nút Yêu cầu vật liệu này?
|
||||
Do you really want to stop production order: ,
|
||||
Do you really want to stop production order: ,Do you really want to stop production order:
|
||||
Doc Name,Doc Tên
|
||||
Doc Type,Loại doc
|
||||
Document Description,Mô tả tài liệu
|
||||
@ -899,7 +899,7 @@ Electronics,Thiết bị điện tử
|
||||
Email,Email
|
||||
Email Digest,Email thông báo
|
||||
Email Digest Settings,Email chỉnh Digest
|
||||
Email Digest: ,
|
||||
Email Digest: ,Email Digest:
|
||||
Email Id,Email Id
|
||||
"Email Id where a job applicant will email e.g. ""jobs@example.com""","Email Id nơi người xin việc sẽ gửi email cho ví dụ: ""jobs@example.com"""
|
||||
Email Notifications,Thông báo email
|
||||
@ -927,7 +927,7 @@ Employee Settings,Thiết lập nhân viên
|
||||
Employee Type,Loại nhân viên
|
||||
"Employee designation (e.g. CEO, Director etc.).","Chỉ định nhân viên (ví dụ: Giám đốc điều hành, Giám đốc vv.)"
|
||||
Employee master.,Chủ lao động.
|
||||
Employee record is created using selected field. ,
|
||||
Employee record is created using selected field. ,Employee record is created using selected field.
|
||||
Employee records.,Hồ sơ nhân viên.
|
||||
Employee relieved on {0} must be set as 'Left',Nhân viên bớt căng thẳng trên {0} phải được thiết lập như là 'trái'
|
||||
Employee {0} has already applied for {1} between {2} and {3},Nhân viên {0} đã áp dụng cho {1} {2} giữa và {3}
|
||||
@ -959,7 +959,7 @@ Enter url parameter for receiver nos,Nhập tham số url cho người nhận no
|
||||
Entertainment & Leisure,Giải trí & Giải trí
|
||||
Entertainment Expenses,Chi phí Giải trí
|
||||
Entries,Số lượng vị trí
|
||||
Entries against ,
|
||||
Entries against ,Entries against
|
||||
Entries are not allowed against this Fiscal Year if the year is closed.,Mục không được phép đối với năm tài chính này nếu năm được đóng lại.
|
||||
Equity,Vốn chủ sở hữu
|
||||
Error: {0} > {1},Lỗi: {0}> {1}
|
||||
@ -1024,7 +1024,7 @@ Exports,Xuất khẩu
|
||||
External,Bên ngoài
|
||||
Extract Emails,Trích xuất email
|
||||
FCFS Rate,FCFS Tỷ giá
|
||||
Failed: ,
|
||||
Failed: ,Failed:
|
||||
Family Background,Gia đình nền
|
||||
Fax,Fax
|
||||
Features Setup,Tính năng cài đặt
|
||||
@ -1245,7 +1245,7 @@ If you have Sales Team and Sale Partners (Channel Partners) they can be tagged
|
||||
If you involve in manufacturing activity. Enables Item 'Is Manufactured',Nếu bạn tham gia vào hoạt động sản xuất. Cho phép Item là Sản xuất '
|
||||
Ignore,Bỏ qua
|
||||
Ignore Pricing Rule,Bỏ qua giá Rule
|
||||
Ignored: ,
|
||||
Ignored: ,Ignored:
|
||||
Image,Hình
|
||||
Image View,Xem hình ảnh
|
||||
Implementation Partner,Đối tác thực hiện
|
||||
@ -1574,7 +1574,7 @@ Maintenance Visit Purpose,Bảo trì đăng nhập Mục đích
|
||||
Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Bảo trì đăng nhập {0} phải được hủy bỏ trước khi hủy bỏ đơn đặt hàng này
|
||||
Maintenance start date can not be before delivery date for Serial No {0},Bảo trì ngày bắt đầu không thể trước ngày giao hàng cho Serial No {0}
|
||||
Major/Optional Subjects,Chính / Đối tượng bắt buộc
|
||||
Make ,
|
||||
Make ,Make
|
||||
Make Accounting Entry For Every Stock Movement,Làm kế toán nhập Đối với tất cả phong trào Cổ
|
||||
Make Bank Voucher,Làm cho Ngân hàng Phiếu
|
||||
Make Credit Note,Làm cho tín dụng Ghi chú
|
||||
@ -1723,7 +1723,7 @@ Net Weight UOM,Trọng lượng UOM
|
||||
Net Weight of each Item,Trọng lượng của mỗi Item
|
||||
Net pay cannot be negative,Trả tiền net không thể phủ định
|
||||
Never,Không bao giờ
|
||||
New ,
|
||||
New ,New
|
||||
New Account,Tài khoản mới
|
||||
New Account Name,Tài khoản mới Tên
|
||||
New BOM,Mới BOM
|
||||
@ -1789,7 +1789,7 @@ No permission,Không có sự cho phép
|
||||
No record found,Rohit ERPNext Phần mở rộng (thường)
|
||||
No records found in the Invoice table,Không có hồ sơ được tìm thấy trong bảng hóa đơn
|
||||
No records found in the Payment table,Không có hồ sơ được tìm thấy trong bảng thanh toán
|
||||
No salary slip found for month: ,
|
||||
No salary slip found for month: ,No salary slip found for month:
|
||||
Non Profit,Không lợi nhuận
|
||||
Nos,lớp
|
||||
Not Active,Không đăng nhập
|
||||
@ -2448,8 +2448,8 @@ Root cannot have a parent cost center,Gốc không thể có một trung tâm ch
|
||||
Rounded Off,Tròn Tắt
|
||||
Rounded Total,Tổng số tròn
|
||||
Rounded Total (Company Currency),Tổng số tròn (Công ty tiền tệ)
|
||||
Row # ,
|
||||
Row # {0}: ,
|
||||
Row # ,Row #
|
||||
Row # {0}: ,Row # {0}:
|
||||
Row #{0}: Ordered qty can not less than item's minimum order qty (defined in item master).,Hàng # {0}: SL thứ tự có thể không ít hơn SL đặt hàng tối thiểu hàng của (quy định tại mục chủ).
|
||||
Row #{0}: Please specify Serial No for Item {1},Hàng # {0}: Hãy xác định Serial No cho mục {1}
|
||||
Row {0}: Account does not match with \ Purchase Invoice Credit To account,Hàng {0}: Tài khoản không phù hợp với \ mua hóa đơn tín dụng Để giải
|
||||
@ -2751,7 +2751,7 @@ Stock Ageing,Cổ người cao tuổi
|
||||
Stock Analytics,Chứng khoán Analytics
|
||||
Stock Assets,Tài sản chứng khoán
|
||||
Stock Balance,Số dư chứng khoán
|
||||
Stock Entries already created for Production Order ,
|
||||
Stock Entries already created for Production Order ,Stock Entries already created for Production Order
|
||||
Stock Entry,Chứng khoán nhập
|
||||
Stock Entry Detail,Cổ phiếu nhập chi tiết
|
||||
Stock Expenses,Chi phí chứng khoán
|
||||
@ -2797,7 +2797,7 @@ Submit all salary slips for the above selected criteria,Gửi tất cả các ph
|
||||
Submit this Production Order for further processing.,Trình tự sản xuất này để chế biến tiếp.
|
||||
Submitted,Đã lần gửi
|
||||
Subsidiary,Công ty con
|
||||
Successful: ,
|
||||
Successful: ,Successful:
|
||||
Successfully Reconciled,Hòa giải thành công
|
||||
Suggestions,Đề xuất
|
||||
Sunday,Chủ Nhật
|
||||
@ -2915,7 +2915,7 @@ The Organization,Tổ chức
|
||||
"The account head under Liability, in which Profit/Loss will be booked","Người đứng đầu tài khoản dưới trách nhiệm pháp lý, trong đó lợi nhuận / lỗ sẽ được ghi nhận"
|
||||
The date on which next invoice will be generated. It is generated on submit.,Ngày mà hóa đơn tiếp theo sẽ được tạo ra. Nó được tạo ra trên trình.
|
||||
The date on which recurring invoice will be stop,Ngày mà hóa đơn định kỳ sẽ được dừng lại
|
||||
"The day of the month on which auto invoice will be generated e.g. 05, 28 etc ",
|
||||
"The day of the month on which auto invoice will be generated e.g. 05, 28 etc ","The day of the month on which auto invoice will be generated e.g. 05, 28 etc "
|
||||
The day(s) on which you are applying for leave are holiday. You need not apply for leave.,Ngày (s) mà bạn đang nộp đơn xin nghỉ là nghỉ. Bạn không cần phải nộp đơn xin nghỉ phép.
|
||||
The first Leave Approver in the list will be set as the default Leave Approver,Người phê duyệt Để lại đầu tiên trong danh sách sẽ được thiết lập mặc định Để lại phê duyệt
|
||||
The first user will become the System Manager (you can change that later).,Người sử dụng đầu tiên sẽ trở thành hệ thống quản lý (bạn có thể thay đổi điều này sau).
|
||||
@ -3002,7 +3002,7 @@ Total Advance,Tổng số trước
|
||||
Total Amount,Tổng tiền
|
||||
Total Amount To Pay,Tổng số tiền phải trả tiền
|
||||
Total Amount in Words,Tổng số tiền trong từ
|
||||
Total Billing This Year: ,
|
||||
Total Billing This Year: ,Total Billing This Year:
|
||||
Total Characters,Tổng số nhân vật
|
||||
Total Claimed Amount,Tổng số tiền tuyên bố chủ quyền
|
||||
Total Commission,Tổng số Ủy ban
|
||||
|
|
19
erpnext/utilities/address_and_contact.py
Normal file
19
erpnext/utilities/address_and_contact.py
Normal file
@ -0,0 +1,19 @@
|
||||
# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors
|
||||
# License: GNU General Public License v3. See license.txt
|
||||
|
||||
from __future__ import unicode_literals
|
||||
import frappe
|
||||
|
||||
def load_address_and_contact(doc, key):
|
||||
"""Loads address list and contact list in `__onload`"""
|
||||
from erpnext.utilities.doctype.address.address import get_address_display
|
||||
|
||||
doc.get("__onload").addr_list = [a.update({"display": get_address_display(a)}) \
|
||||
for a in frappe.get_all("Address",
|
||||
fields="*", filters={key: doc.name},
|
||||
order_by="is_primary_address desc, modified desc")]
|
||||
|
||||
if doc.doctype != "Lead":
|
||||
doc.get("__onload").contact_list = frappe.get_all("Contact",
|
||||
fields="*", filters={key: doc.name},
|
||||
order_by="is_primary_contact desc, modified desc")
|
@ -1,4 +1,13 @@
|
||||
// Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors
|
||||
// License: GNU General Public License v3. See license.txt
|
||||
|
||||
{% include 'controllers/js/contact_address_common.js' %};
|
||||
{% include 'controllers/js/contact_address_common.js' %};
|
||||
|
||||
frappe.ui.form.on("Address", "validate", function(frm) {
|
||||
// clear linked customer / supplier / sales partner on saving...
|
||||
$.each(["Customer", "Supplier", "Sales Partner", "Lead"], function(i, doctype) {
|
||||
var name = frm.doc[doctype.toLowerCase().replace(/ /g, "_")];
|
||||
if(name && locals[doctype] && locals[doctype][name])
|
||||
frappe.model.remove_from_locals(doctype, name);
|
||||
});
|
||||
});
|
||||
|
@ -3,7 +3,28 @@
|
||||
|
||||
{% include 'controllers/js/contact_address_common.js' %};
|
||||
|
||||
<<<<<<< HEAD
|
||||
cur_frm.email_field = "email_id";
|
||||
=======
|
||||
frappe.ui.form.on("Contact", "validate", function(frm) {
|
||||
// clear linked customer / supplier / sales partner on saving...
|
||||
$.each(["Customer", "Supplier", "Sales Partner"], function(i, doctype) {
|
||||
var name = frm.doc[doctype.toLowerCase().replace(/ /g, "_")];
|
||||
if(name && locals[doctype] && locals[doctype][name])
|
||||
frappe.model.remove_from_locals(doctype, name);
|
||||
});
|
||||
});
|
||||
|
||||
cur_frm.cscript.refresh = function(doc) {
|
||||
cur_frm.communication_view = new frappe.views.CommunicationList({
|
||||
list: frappe.get_list("Communication", {"parent": doc.name, "parenttype": "Contact"}),
|
||||
parent: cur_frm.fields_dict.communication_html.wrapper,
|
||||
doc: doc,
|
||||
recipients: doc.email_id
|
||||
});
|
||||
}
|
||||
|
||||
>>>>>>> upstream/develop
|
||||
cur_frm.cscript.hide_dialog = function() {
|
||||
if(cur_frm.contact_list)
|
||||
cur_frm.contact_list.run();
|
||||
|
Loading…
Reference in New Issue
Block a user