Code replacement for journal voucher renaming

This commit is contained in:
Nabin Hait 2014-12-25 17:14:18 +05:30
parent e7d153624f
commit 23d2a53017
84 changed files with 934 additions and 917 deletions

View File

@ -6,7 +6,7 @@ Accounting heads are called "Accounts" and they can be groups in a tree like
Entries are:
- Journal Vouchers
- Journal Entries
- Sales Invoice (Itemised)
- Purchase Invoice (Itemised)

View File

@ -3,7 +3,7 @@
cur_frm.cscript.onload = function(doc, cdt, cdn){
cur_frm.set_intro('<i class="icon-question" /> ' +
__("Update clearance date of Journal Entries marked as 'Bank Vouchers'"));
__("Update clearance date of Journal Entries marked as 'Bank Entry'"));
cur_frm.add_fetch("bank_account", "company", "company");

View File

@ -21,7 +21,7 @@ class BankReconciliation(Document):
dl = frappe.db.sql("""select t1.name, t1.cheque_no, t1.cheque_date, t2.debit,
t2.credit, t1.posting_date, t2.against_account, t1.clearance_date
from
`tabJournal Voucher` t1, `tabJournal Entry Account` t2
`tabJournal Entry` t1, `tabJournal Entry Account` t2
where
t2.parent = t1.name and t2.account = %s
and t1.posting_date >= %s and t1.posting_date <= %s and t1.docstatus=1
@ -50,8 +50,8 @@ class BankReconciliation(Document):
if d.cheque_date and getdate(d.clearance_date) < getdate(d.cheque_date):
frappe.throw(_("Clearance date cannot be before check date in row {0}").format(d.idx))
frappe.db.set_value("Journal Voucher", d.voucher_id, "clearance_date", d.clearance_date)
frappe.db.sql("""update `tabJournal Voucher` set clearance_date = %s, modified = %s
frappe.db.set_value("Journal Entry", d.voucher_id, "clearance_date", d.clearance_date)
frappe.db.sql("""update `tabJournal Entry` set clearance_date = %s, modified = %s
where name=%s""", (d.clearance_date, nowdate(), d.voucher_id))
vouchers.append(d.voucher_id)

View File

@ -11,7 +11,7 @@
"no_copy": 0,
"oldfieldname": "voucher_id",
"oldfieldtype": "Link",
"options": "Journal Voucher",
"options": "Journal Entry",
"permlevel": 0,
"search_index": 0
},

View File

@ -25,7 +25,7 @@ class GLEntry(Document):
validate_balance_type(self.account, adv_adj)
# Update outstanding amt on against voucher
if self.against_voucher_type in ['Journal Voucher', 'Sales Invoice', 'Purchase Invoice'] \
if self.against_voucher_type in ['Journal Entry', 'Sales Invoice', 'Purchase Invoice'] \
and self.against_voucher and update_outstanding == 'Yes':
update_outstanding_amt(self.account, self.party_type, self.party, self.against_voucher_type,
self.against_voucher)
@ -123,15 +123,15 @@ def update_outstanding_amt(account, party_type, party, against_voucher_type, aga
if against_voucher_type == 'Purchase Invoice':
bal = -bal
elif against_voucher_type == "Journal Voucher":
elif against_voucher_type == "Journal Entry":
against_voucher_amount = flt(frappe.db.sql("""
select sum(ifnull(debit, 0)) - sum(ifnull(credit, 0))
from `tabGL Entry` where voucher_type = 'Journal Voucher' and voucher_no = %s
from `tabGL Entry` where voucher_type = 'Journal Entry' and voucher_no = %s
and account = %s and party_type=%s and party=%s and ifnull(against_voucher, '') = ''""",
(against_voucher, account, party_type, party))[0][0])
if not against_voucher_amount:
frappe.throw(_("Against Journal Voucher {0} is already adjusted against some other voucher")
frappe.throw(_("Against Journal Entry {0} is already adjusted against some other voucher")
.format(against_voucher))
bal = against_voucher_amount + bal

View File

@ -68,7 +68,7 @@ erpnext.accounts.JournalVoucher = frappe.ui.form.Controller.extend({
frappe.model.validate_missing(jvd, "account");
return {
query: "erpnext.accounts.doctype.journal_voucher.journal_voucher.get_against_jv",
query: "erpnext.accounts.doctype.journal_entry.journal_entry.get_against_jv",
filters: {
account: jvd.account,
party: jvd.party
@ -109,7 +109,7 @@ erpnext.accounts.JournalVoucher = frappe.ui.form.Controller.extend({
against_jv: function(doc, cdt, cdn) {
var d = frappe.get_doc(cdt, cdn);
if (d.against_jv && d.party && !flt(d.credit) && !flt(d.debit)) {
this.get_outstanding('Journal Voucher', d.against_jv, d);
this.get_outstanding('Journal Entry', d.against_jv, d);
}
},
@ -216,12 +216,12 @@ cur_frm.cscript.select_print_heading = function(doc,cdt,cdn){
cur_frm.pformat.print_heading = doc.select_print_heading;
}
else
cur_frm.pformat.print_heading = __("Journal Voucher");
cur_frm.pformat.print_heading = __("Journal Entry");
}
cur_frm.cscript.voucher_type = function(doc, cdt, cdn) {
cur_frm.set_df_property("cheque_no", "reqd", doc.voucher_type=="Bank Voucher");
cur_frm.set_df_property("cheque_date", "reqd", doc.voucher_type=="Bank Voucher");
cur_frm.set_df_property("cheque_no", "reqd", doc.voucher_type=="Bank Entry");
cur_frm.set_df_property("cheque_date", "reqd", doc.voucher_type=="Bank Entry");
if((doc.entries || []).length!==0 || !doc.company) // too early
return;
@ -236,10 +236,10 @@ cur_frm.cscript.voucher_type = function(doc, cdt, cdn) {
refresh_field("entries");
}
if(in_list(["Bank Voucher", "Cash Voucher"], doc.voucher_type)) {
if(in_list(["Bank Entry", "Cash Entry"], doc.voucher_type)) {
return frappe.call({
type: "GET",
method: "erpnext.accounts.doctype.journal_voucher.journal_voucher.get_default_bank_cash_account",
method: "erpnext.accounts.doctype.journal_entry.journal_entry.get_default_bank_cash_account",
args: {
"voucher_type": doc.voucher_type,
"company": doc.company
@ -253,7 +253,7 @@ cur_frm.cscript.voucher_type = function(doc, cdt, cdn) {
} else if(doc.voucher_type=="Opening Entry") {
return frappe.call({
type:"GET",
method: "erpnext.accounts.doctype.journal_voucher.journal_voucher.get_opening_accounts",
method: "erpnext.accounts.doctype.journal_entry.journal_entry.get_opening_accounts",
args: {
"company": doc.company
},
@ -272,7 +272,7 @@ frappe.ui.form.on("Journal Entry Account", "party", function(frm, cdt, cdn) {
var d = frappe.get_doc(cdt, cdn);
if(!d.account && d.party_type && d.party) {
return frm.call({
method: "erpnext.accounts.doctype.journal_voucher.journal_voucher.get_party_account_and_balance",
method: "erpnext.accounts.doctype.journal_entry.journal_entry.get_party_account_and_balance",
child: d,
args: {
company: frm.doc.company,

View File

@ -101,7 +101,7 @@ class JournalEntry(AccountsController):
.format(date_diff - flt(credit_days), d.party_type, d.party))
def validate_cheque_info(self):
if self.voucher_type in ['Bank Voucher']:
if self.voucher_type in ['Bank Entry']:
if not self.cheque_no or not self.cheque_date:
msgprint(_("Reference No & Reference Date is required for {0}").format(self.voucher_type),
raise_exception=1)
@ -131,7 +131,7 @@ class JournalEntry(AccountsController):
.format(d.account))
if d.against_jv == self.name:
frappe.throw(_("You can not enter current voucher in 'Against Journal Voucher' column"))
frappe.throw(_("You can not enter current voucher in 'Against Journal Entry' column"))
against_entries = frappe.db.sql("""select * from `tabJournal Entry Account`
where account = %s and docstatus = 1 and parent = %s
@ -139,7 +139,7 @@ class JournalEntry(AccountsController):
and ifnull(against_voucher, '') = ''""", (d.account, d.against_jv), as_dict=True)
if not against_entries:
frappe.throw(_("Journal Voucher {0} does not have account {1} or already matched against other voucher")
frappe.throw(_("Journal Entry {0} does not have account {1} or already matched against other voucher")
.format(d.against_jv, d.account))
else:
dr_or_cr = "debit" if d.credit > 0 else "credit"
@ -148,7 +148,7 @@ class JournalEntry(AccountsController):
if flt(jvd[dr_or_cr]) > 0:
valid = True
if not valid:
frappe.throw(_("Against Journal Voucher {0} does not have any unmatched {1} entry")
frappe.throw(_("Against Journal Entry {0} does not have any unmatched {1} entry")
.format(d.against_jv, dr_or_cr))
def validate_against_sales_invoice(self):
@ -345,7 +345,7 @@ class JournalEntry(AccountsController):
"credit": flt(d.credit, self.precision("credit", "entries")),
"against_voucher_type": (("Purchase Invoice" if d.against_voucher else None)
or ("Sales Invoice" if d.against_invoice else None)
or ("Journal Voucher" if d.against_jv else None)
or ("Journal Entry" if d.against_jv else None)
or ("Sales Order" if d.against_sales_order else None)
or ("Purchase Order" if d.against_purchase_order else None)),
"against_voucher": d.against_voucher or d.against_invoice or d.against_jv
@ -444,7 +444,7 @@ class JournalEntry(AccountsController):
@frappe.whitelist()
def get_default_bank_cash_account(company, voucher_type):
account = frappe.db.get_value("Company", company,
voucher_type=="Bank Voucher" and "default_bank_account" or "default_cash_account")
voucher_type=="Bank Entry" and "default_bank_account" or "default_cash_account")
if account:
return {
"account": account,
@ -493,10 +493,10 @@ def get_payment_entry_from_purchase_invoice(purchase_invoice):
return jv.as_dict()
def get_payment_entry(doc):
bank_account = get_default_bank_cash_account(doc.company, "Bank Voucher")
bank_account = get_default_bank_cash_account(doc.company, "Bank Entry")
jv = frappe.new_doc('Journal Voucher')
jv.voucher_type = 'Bank Voucher'
jv = frappe.new_doc('Journal Entry')
jv.voucher_type = 'Bank Entry'
jv.company = doc.company
jv.fiscal_year = doc.fiscal_year
@ -520,7 +520,7 @@ def get_opening_accounts(company):
def get_against_jv(doctype, txt, searchfield, start, page_len, filters):
return frappe.db.sql("""select jv.name, jv.posting_date, jv.user_remark
from `tabJournal Voucher` jv, `tabJournal Entry Account` jv_detail
from `tabJournal Entry` jv, `tabJournal Entry Account` jv_detail
where jv_detail.parent = jv.name and jv_detail.account = %s and jv_detail.party = %s
and (ifnull(jvd.against_invoice, '') = '' and ifnull(jvd.against_voucher, '') = '' and ifnull(jvd.against_jv, '') = '' )
and jv.docstatus = 1 and jv.{0} like %s order by jv.name desc limit %s, %s""".format(searchfield),
@ -529,7 +529,7 @@ def get_against_jv(doctype, txt, searchfield, start, page_len, filters):
@frappe.whitelist()
def get_outstanding(args):
args = eval(args)
if args.get("doctype") == "Journal Voucher" and args.get("party"):
if args.get("doctype") == "Journal Entry" and args.get("party"):
against_jv_amount = frappe.db.sql("""
select sum(ifnull(debit, 0)) - sum(ifnull(credit, 0))
from `tabJournal Entry Account` where parent=%s and party=%s

View File

@ -1,3 +1,3 @@
frappe.listview_settings['Journal Voucher'] = {
frappe.listview_settings['Journal Entry'] = {
add_fields: ["voucher_type", "posting_date", "total_debit", "company"]
};

View File

@ -6,7 +6,7 @@ import unittest, frappe
from frappe.utils import flt
class TestJournalEntry(unittest.TestCase):
def test_journal_voucher_with_against_jv(self):
def test_journal_entry_with_against_jv(self):
jv_invoice = frappe.copy_doc(test_records[2])
base_jv = frappe.copy_doc(test_records[0])
@ -29,8 +29,8 @@ class TestJournalEntry(unittest.TestCase):
self.jv_against_voucher_testcase(base_jv, purchase_order)
def jv_against_voucher_testcase(self, base_jv, test_voucher):
dr_or_cr = "credit" if test_voucher.doctype in ["Sales Order", "Journal Voucher"] else "debit"
field_dict = {'Journal Voucher': "against_jv",
dr_or_cr = "credit" if test_voucher.doctype in ["Sales Order", "Journal Entry"] else "debit"
field_dict = {'Journal Entry': "against_jv",
'Sales Order': "against_sales_order",
'Purchase Order': "against_purchase_order"
}
@ -39,7 +39,7 @@ class TestJournalEntry(unittest.TestCase):
test_voucher.insert()
test_voucher.submit()
if test_voucher.doctype == "Journal Voucher":
if test_voucher.doctype == "Journal Entry":
self.assertTrue(frappe.db.sql("""select name from `tabJournal Entry Account`
where account = %s and docstatus = 1 and parent = %s""",
("_Test Receivable - _TC", test_voucher.name)))
@ -73,8 +73,8 @@ class TestJournalEntry(unittest.TestCase):
self.assertTrue(flt(advance_paid[0][0]) == flt(payment_against_order))
def cancel_against_voucher_testcase(self, test_voucher):
if test_voucher.doctype == "Journal Voucher":
# if test_voucher is a Journal Voucher, test cancellation of test_voucher
if test_voucher.doctype == "Journal Entry":
# if test_voucher is a Journal Entry, test cancellation of test_voucher
test_voucher.cancel()
self.assertTrue(not frappe.db.sql("""select name from `tabJournal Entry Account`
where against_jv=%s""", test_voucher.name))
@ -114,7 +114,7 @@ class TestJournalEntry(unittest.TestCase):
jv.insert()
jv.submit()
self.assertTrue(frappe.db.get_value("GL Entry",
{"voucher_type": "Journal Voucher", "voucher_no": jv.name}))
{"voucher_type": "Journal Entry", "voucher_no": jv.name}))
def test_monthly_budget_crossed_stop(self):
from erpnext.accounts.utils import BudgetError
@ -168,7 +168,7 @@ class TestJournalEntry(unittest.TestCase):
jv.submit()
self.assertTrue(frappe.db.get_value("GL Entry",
{"voucher_type": "Journal Voucher", "voucher_no": jv.name}))
{"voucher_type": "Journal Entry", "voucher_no": jv.name}))
jv1 = frappe.copy_doc(test_records[0])
jv1.get("entries")[1].account = "_Test Account Cost for Goods Sold - _TC"
@ -178,7 +178,7 @@ class TestJournalEntry(unittest.TestCase):
jv1.submit()
self.assertTrue(frappe.db.get_value("GL Entry",
{"voucher_type": "Journal Voucher", "voucher_no": jv1.name}))
{"voucher_type": "Journal Entry", "voucher_no": jv1.name}))
self.assertRaises(BudgetError, jv.cancel)
@ -188,4 +188,4 @@ class TestJournalEntry(unittest.TestCase):
frappe.db.sql("""delete from `tabGL Entry`""")
test_records = frappe.get_test_records('Journal Voucher')
test_records = frappe.get_test_records('Journal Entry')

View File

@ -3,7 +3,7 @@
"cheque_date": "2013-02-14",
"cheque_no": "33",
"company": "_Test Company",
"doctype": "Journal Voucher",
"doctype": "Journal Entry",
"entries": [
{
"account": "_Test Receivable - _TC",
@ -23,16 +23,16 @@
}
],
"fiscal_year": "_Test Fiscal Year 2013",
"naming_series": "_T-Journal Voucher-",
"naming_series": "_T-Journal Entry-",
"posting_date": "2013-02-14",
"user_remark": "test",
"voucher_type": "Bank Voucher"
"voucher_type": "Bank Entry"
},
{
"cheque_date": "2013-02-14",
"cheque_no": "33",
"company": "_Test Company",
"doctype": "Journal Voucher",
"doctype": "Journal Entry",
"entries": [
{
"account": "_Test Payable - _TC",
@ -52,16 +52,16 @@
}
],
"fiscal_year": "_Test Fiscal Year 2013",
"naming_series": "_T-Journal Voucher-",
"naming_series": "_T-Journal Entry-",
"posting_date": "2013-02-14",
"user_remark": "test",
"voucher_type": "Bank Voucher"
"voucher_type": "Bank Entry"
},
{
"cheque_date": "2013-02-14",
"cheque_no": "33",
"company": "_Test Company",
"doctype": "Journal Voucher",
"doctype": "Journal Entry",
"entries": [
{
"account": "_Test Receivable - _TC",
@ -82,9 +82,9 @@
}
],
"fiscal_year": "_Test Fiscal Year 2013",
"naming_series": "_T-Journal Voucher-",
"naming_series": "_T-Journal Entry-",
"posting_date": "2013-02-14",
"user_remark": "test",
"voucher_type": "Bank Voucher"
"voucher_type": "Bank Entry"
}
]

View File

@ -1 +1 @@
Individual entry for parent Journal Voucher.
Individual entry for parent Journal Entry.

View File

@ -145,7 +145,7 @@
"fieldname": "against_jv",
"fieldtype": "Link",
"in_filter": 1,
"label": "Against Journal Voucher",
"label": "Against Journal Entry",
"no_copy": 1,
"oldfieldname": "against_jv",
"oldfieldtype": "Link",

View File

@ -117,7 +117,7 @@
{
"fieldname": "sec_break2",
"fieldtype": "Section Break",
"label": "Invoice/Journal Voucher Details",
"label": "Invoice/Journal Entry Details",
"permlevel": 0
},
{

View File

@ -29,7 +29,7 @@ class PaymentReconciliation(Document):
t1.name as voucher_no, t1.posting_date, t1.remark,
t2.name as voucher_detail_no, {dr_or_cr} as payment_amount, t2.is_advance
from
`tabJournal Voucher` t1, `tabJournal Entry Account` t2
`tabJournal Entry` t1, `tabJournal Entry Account` t2
where
t1.name = t2.parent and t1.docstatus = 1 and t2.docstatus = 1
and t2.party_type = %(party_type)s and t2.party = %(party)s
@ -58,7 +58,7 @@ class PaymentReconciliation(Document):
self.set('payments', [])
for e in jv_entries:
ent = self.append('payments', {})
ent.journal_voucher = e.get('voucher_no')
ent.journal_entry = e.get('voucher_no')
ent.posting_date = e.get('posting_date')
ent.amount = flt(e.get('payment_amount'))
ent.remark = e.get('remark')
@ -142,7 +142,7 @@ class PaymentReconciliation(Document):
for e in self.get('payments'):
if e.invoice_type and e.invoice_number and e.allocated_amount:
lst.append({
'voucher_no' : e.journal_voucher,
'voucher_no' : e.journal_entry,
'voucher_detail_no' : e.voucher_detail_number,
'against_voucher_type' : e.invoice_type,
'against_voucher' : e.invoice_number,

View File

@ -9,7 +9,7 @@
"fieldtype": "Data",
"in_list_view": 1,
"label": "Invoice Type",
"options": "Sales Invoice\nPurchase Invoice\nJournal Voucher",
"options": "Sales Invoice\nPurchase Invoice\nJournal Entry",
"permlevel": 0,
"read_only": 1
},

View File

@ -1,116 +1,116 @@
{
"creation": "2014-07-09 16:13:35.452759",
"docstatus": 0,
"doctype": "DocType",
"document_type": "",
"creation": "2014-07-09 16:13:35.452759",
"docstatus": 0,
"doctype": "DocType",
"document_type": "",
"fields": [
{
"fieldname": "journal_voucher",
"fieldtype": "Link",
"in_list_view": 1,
"label": "Journal Voucher",
"options": "Journal Voucher",
"permlevel": 0,
"read_only": 1,
"fieldname": "journal_entry",
"fieldtype": "Link",
"in_list_view": 1,
"label": "Journal Entry",
"options": "Journal Entry",
"permlevel": 0,
"read_only": 1,
"reqd": 0
},
},
{
"fieldname": "posting_date",
"fieldtype": "Date",
"in_list_view": 1,
"label": "Posting Date",
"permlevel": 0,
"fieldname": "posting_date",
"fieldtype": "Date",
"in_list_view": 1,
"label": "Posting Date",
"permlevel": 0,
"read_only": 1
},
},
{
"fieldname": "amount",
"fieldtype": "Currency",
"in_list_view": 1,
"label": "Amount",
"permlevel": 0,
"fieldname": "amount",
"fieldtype": "Currency",
"in_list_view": 1,
"label": "Amount",
"permlevel": 0,
"read_only": 1
},
},
{
"fieldname": "is_advance",
"fieldtype": "Data",
"hidden": 1,
"label": "Is Advance",
"permlevel": 0,
"fieldname": "is_advance",
"fieldtype": "Data",
"hidden": 1,
"label": "Is Advance",
"permlevel": 0,
"read_only": 1
},
},
{
"fieldname": "voucher_detail_number",
"fieldtype": "Data",
"hidden": 1,
"in_list_view": 0,
"label": "Voucher Detail Number",
"permlevel": 0,
"fieldname": "voucher_detail_number",
"fieldtype": "Data",
"hidden": 1,
"in_list_view": 0,
"label": "Voucher Detail Number",
"permlevel": 0,
"read_only": 1
},
},
{
"fieldname": "col_break1",
"fieldtype": "Column Break",
"label": "Column Break",
"fieldname": "col_break1",
"fieldtype": "Column Break",
"label": "Column Break",
"permlevel": 0
},
},
{
"fieldname": "allocated_amount",
"fieldtype": "Currency",
"in_list_view": 1,
"label": "Allocated amount",
"permlevel": 0,
"precision": "",
"fieldname": "allocated_amount",
"fieldtype": "Currency",
"in_list_view": 1,
"label": "Allocated amount",
"permlevel": 0,
"precision": "",
"reqd": 1
},
},
{
"default": "Sales Invoice",
"fieldname": "invoice_type",
"fieldtype": "Select",
"in_list_view": 0,
"label": "Invoice Type",
"options": "\nSales Invoice\nPurchase Invoice\nJournal Voucher",
"permlevel": 0,
"read_only": 0,
"default": "Sales Invoice",
"fieldname": "invoice_type",
"fieldtype": "Select",
"in_list_view": 0,
"label": "Invoice Type",
"options": "\nSales Invoice\nPurchase Invoice\nJournal Entry",
"permlevel": 0,
"read_only": 0,
"reqd": 1
},
},
{
"fieldname": "invoice_number",
"fieldtype": "Select",
"in_list_view": 1,
"label": "Invoice Number",
"options": "",
"permlevel": 0,
"fieldname": "invoice_number",
"fieldtype": "Select",
"in_list_view": 1,
"label": "Invoice Number",
"options": "",
"permlevel": 0,
"reqd": 1
},
},
{
"fieldname": "sec_break1",
"fieldtype": "Section Break",
"label": "",
"fieldname": "sec_break1",
"fieldtype": "Section Break",
"label": "",
"permlevel": 0
},
},
{
"fieldname": "remark",
"fieldtype": "Small Text",
"in_list_view": 1,
"label": "Remark",
"permlevel": 0,
"fieldname": "remark",
"fieldtype": "Small Text",
"in_list_view": 1,
"label": "Remark",
"permlevel": 0,
"read_only": 1
},
},
{
"fieldname": "col_break2",
"fieldtype": "Column Break",
"label": "Column Break",
"fieldname": "col_break2",
"fieldtype": "Column Break",
"label": "Column Break",
"permlevel": 0
}
],
"istable": 1,
"modified": "2014-10-16 17:40:54.040194",
"modified_by": "Administrator",
"module": "Accounts",
"name": "Payment Reconciliation Payment",
"name_case": "",
"owner": "Administrator",
"permissions": [],
"sort_field": "modified",
],
"istable": 1,
"modified": "2014-12-25 16:26:48.345281",
"modified_by": "Administrator",
"module": "Accounts",
"name": "Payment Reconciliation Payment",
"name_case": "",
"owner": "Administrator",
"permissions": [],
"sort_field": "modified",
"sort_order": "DESC"
}
}

View File

@ -6,7 +6,7 @@ frappe.provide("erpnext.payment_tool");
// Help content
frappe.ui.form.on("Payment Tool", "onload", function(frm) {
frm.set_value("make_jv_help", '<i class="icon-hand-right"></i> '
+ __("Note: If payment is not made against any reference, make Journal Voucher manually."));
+ __("Note: If payment is not made against any reference, make Journal Entry manually."));
frm.set_query("party_type", function() {
return {
@ -26,7 +26,7 @@ frappe.ui.form.on("Payment Tool", "onload", function(frm) {
frm.set_query("against_voucher_type", "against_vouchers", function() {
return {
filters: {"name": ["in", ["Sales Invoice", "Purchase Invoice", "Journal Voucher", "Sales Order", "Purchase Order"]]}
filters: {"name": ["in", ["Sales Invoice", "Purchase Invoice", "Journal Entry", "Sales Order", "Purchase Order"]]}
};
});
});
@ -91,7 +91,7 @@ frappe.ui.form.on("Payment Tool", "get_outstanding_vouchers", function(frm) {
callback: function(r, rt) {
if(r.message) {
frm.fields_dict.get_outstanding_vouchers.$input.removeClass("btn-primary");
frm.fields_dict.make_journal_voucher.$input.addClass("btn-primary");
frm.fields_dict.make_journal_entry.$input.addClass("btn-primary");
frappe.model.clear_table(frm.doc, "against_vouchers");
$.each(r.message, function(i, d) {
@ -116,15 +116,15 @@ frappe.ui.form.on("Payment Tool Detail", "against_voucher_type", function(frm) {
erpnext.payment_tool.validate_against_voucher = function(frm) {
$.each(frm.doc.against_vouchers || [], function(i, row) {
if(frm.doc.party_type=="Customer"
&& !in_list(["Sales Order", "Sales Invoice", "Journal Voucher"], row.against_voucher_type)) {
&& !in_list(["Sales Order", "Sales Invoice", "Journal Entry"], row.against_voucher_type)) {
frappe.model.set_value(row.doctype, row.name, "against_voucher_type", "");
frappe.throw(__("Against Voucher Type must be one of Sales Order, Sales Invoice or Journal Voucher"))
frappe.throw(__("Against Voucher Type must be one of Sales Order, Sales Invoice or Journal Entry"))
}
if(frm.doc.party_type=="Supplier"
&& !in_list(["Purchase Order", "Purchase Invoice", "Journal Voucher"], row.against_voucher_type)) {
&& !in_list(["Purchase Order", "Purchase Invoice", "Journal Entry"], row.against_voucher_type)) {
frappe.model.set_value(row.doctype, row.name, "against_voucher_type", "");
frappe.throw(__("Against Voucher Type must be one of Purchase Order, Purchase Invoice or Journal Voucher"))
frappe.throw(__("Against Voucher Type must be one of Purchase Order, Purchase Invoice or Journal Entry"))
}
});
@ -176,15 +176,15 @@ erpnext.payment_tool.set_total_payment_amount = function(frm) {
}
// Make Journal voucher
frappe.ui.form.on("Payment Tool", "make_journal_voucher", function(frm) {
// Make Journal Entry
frappe.ui.form.on("Payment Tool", "make_journal_entry", function(frm) {
erpnext.payment_tool.check_mandatory_to_fetch(frm.doc);
return frappe.call({
method: 'make_journal_voucher',
method: 'make_journal_entry',
doc: frm.doc,
callback: function(r) {
frm.fields_dict.make_journal_voucher.$input.addClass("btn-primary");
frm.fields_dict.make_journal_entry.$input.addClass("btn-primary");
var doclist = frappe.model.sync(r.message);
frappe.set_route("Form", doclist[0].doctype, doclist[0].name);
}

View File

@ -255,13 +255,13 @@
},
{
"allow_on_submit": 0,
"fieldname": "make_journal_voucher",
"fieldname": "make_journal_entry",
"fieldtype": "Button",
"hidden": 0,
"ignore_user_permissions": 0,
"in_filter": 0,
"in_list_view": 0,
"label": "Make Journal Voucher",
"label": "Make Journal Entry",
"no_copy": 0,
"permlevel": 0,
"print_hide": 0,
@ -310,7 +310,7 @@
"is_submittable": 0,
"issingle": 1,
"istable": 0,
"modified": "2014-12-24 16:33:57.341817",
"modified": "2014-12-25 16:28:30.612640",
"modified_by": "Administrator",
"module": "Accounts",
"name": "Payment Tool",

View File

@ -9,18 +9,18 @@ from frappe.model.document import Document
import json
class PaymentTool(Document):
def make_journal_voucher(self):
def make_journal_entry(self):
from erpnext.accounts.utils import get_balance_on
total_payment_amount = 0.00
invoice_voucher_type = {
'Sales Invoice': 'against_invoice',
'Purchase Invoice': 'against_voucher',
'Journal Voucher': 'against_jv',
'Journal Entry': 'against_jv',
'Sales Order': 'against_sales_order',
'Purchase Order': 'against_purchase_order',
}
jv = frappe.new_doc('Journal Voucher')
jv = frappe.new_doc('Journal Entry')
jv.voucher_type = 'Journal Entry'
jv.company = self.company
jv.cheque_no = self.reference_no
@ -109,7 +109,7 @@ def get_against_voucher_amount(against_voucher_type, against_voucher_no):
select_cond = "grand_total as total_amount, ifnull(grand_total, 0) - ifnull(advance_paid, 0) as outstanding_amount"
elif against_voucher_type in ["Sales Invoice", "Purchase Invoice"]:
select_cond = "grand_total as total_amount, outstanding_amount"
elif against_voucher_type == "Journal Voucher":
elif against_voucher_type == "Journal Entry":
select_cond = "total_debit as total_amount"
details = frappe.db.sql("""select {0} from `tab{1}` where name = %s"""

View File

@ -8,8 +8,8 @@ from frappe.utils import flt
test_dependencies = ["Item"]
class TestPaymentTool(unittest.TestCase):
def test_make_journal_voucher(self):
from erpnext.accounts.doctype.journal_voucher.test_journal_voucher \
def test_make_journal_entry(self):
from erpnext.accounts.doctype.journal_entry.test_journal_entry \
import test_records as jv_test_records
from erpnext.selling.doctype.sales_order.test_sales_order \
import test_records as so_test_records
@ -84,7 +84,7 @@ class TestPaymentTool(unittest.TestCase):
#Create a dict containing properties and expected values
expected_outstanding = {
"Journal Voucher" : [base_customer_jv.name, 400.00],
"Journal Entry" : [base_customer_jv.name, 400.00],
"Sales Invoice" : [si1.name, 161.80],
"Purchase Invoice" : [pi.name, 1512.30],
"Sales Order" : [so1.name, 600.00],
@ -111,7 +111,7 @@ class TestPaymentTool(unittest.TestCase):
"party": "_Test Supplier 1",
"party_account": "_Test Payable - _TC"
})
expected_outstanding["Journal Voucher"] = [base_supplier_jv.name, 400.00]
expected_outstanding["Journal Entry"] = [base_supplier_jv.name, 400.00]
self.make_voucher_for_party(args, expected_outstanding)
def create_voucher(self, test_record, args):
@ -134,7 +134,7 @@ class TestPaymentTool(unittest.TestCase):
return jv
def make_voucher_for_party(self, args, expected_outstanding):
#Make Journal Voucher for Party
#Make Journal Entry for Party
payment_tool_doc = frappe.new_doc("Payment Tool")
for k, v in args.items():
@ -162,12 +162,12 @@ class TestPaymentTool(unittest.TestCase):
d1.payment_amount = 100.00
paytool.total_payment_amount = 300
new_jv = paytool.make_journal_voucher()
new_jv = paytool.make_journal_entry()
#Create a list of expected values as [party account, payment against, against_jv, against_invoice,
#against_voucher, against_sales_order, against_purchase_order]
expected_values = [
[paytool.party_account, paytool.party, 100.00, expected_outstanding.get("Journal Voucher")[0], None, None, None, None],
[paytool.party_account, paytool.party, 100.00, expected_outstanding.get("Journal Entry")[0], None, None, None, None],
[paytool.party_account, paytool.party, 100.00, None, expected_outstanding.get("Sales Invoice")[0], None, None, None],
[paytool.party_account, paytool.party, 100.00, None, None, expected_outstanding.get("Purchase Invoice")[0], None, None],
[paytool.party_account, paytool.party, 100.00, None, None, None, expected_outstanding.get("Sales Order")[0], None],

View File

@ -5,7 +5,7 @@
from __future__ import unicode_literals
import unittest
import frappe
from erpnext.accounts.doctype.journal_voucher.test_journal_voucher import test_records as jv_records
from erpnext.accounts.doctype.journal_entry.test_journal_entry import test_records as jv_records
class TestPeriodClosingVoucher(unittest.TestCase):
def test_closing_entry(self):

View File

@ -27,8 +27,8 @@ erpnext.accounts.PurchaseInvoice = erpnext.buying.BuyingController.extend({
// Show / Hide button
if(doc.docstatus==1 && doc.outstanding_amount > 0)
this.frm.add_custom_button(__('Make Payment Entry'), this.make_bank_voucher,
frappe.boot.doctype_icons["Journal Voucher"]);
this.frm.add_custom_button(__('Make Payment Entry'), this.make_bank_entry,
frappe.boot.doctype_icons["Journal Entry"]);
if(doc.docstatus==1) {
cur_frm.appframe.add_button(__('View Ledger'), function() {
@ -127,9 +127,9 @@ cur_frm.cscript.is_opening = function(doc, dt, dn) {
if (doc.is_opening == 'Yes') unhide_field('aging_date');
}
cur_frm.cscript.make_bank_voucher = function() {
cur_frm.cscript.make_bank_entry = function() {
return frappe.call({
method: "erpnext.accounts.doctype.journal_voucher.journal_voucher.get_payment_entry_from_purchase_invoice",
method: "erpnext.accounts.doctype.journal_entry.journal_entry.get_payment_entry_from_purchase_invoice",
args: {
"purchase_invoice": cur_frm.doc.name,
},

View File

@ -219,7 +219,7 @@ class PurchaseInvoice(BuyingController):
for d in self.get('advances'):
if flt(d.allocated_amount) > 0:
args = {
'voucher_no' : d.journal_voucher,
'voucher_no' : d.journal_entry,
'voucher_detail_no' : d.jv_detail_no,
'against_voucher_type' : 'Purchase Invoice',
'against_voucher' : self.name,

View File

@ -199,7 +199,7 @@ class TestPurchaseInvoice(unittest.TestCase):
self.assertEqual(tax.total, expected_values[i][2])
def test_purchase_invoice_with_advance(self):
from erpnext.accounts.doctype.journal_voucher.test_journal_voucher \
from erpnext.accounts.doctype.journal_entry.test_journal_entry \
import test_records as jv_test_records
jv = frappe.copy_doc(jv_test_records[1])
@ -208,7 +208,7 @@ class TestPurchaseInvoice(unittest.TestCase):
pi = frappe.copy_doc(test_records[0])
pi.append("advances", {
"journal_voucher": jv.name,
"journal_entry": jv.name,
"jv_detail_no": jv.get("entries")[0].name,
"advance_amount": 400,
"allocated_amount": 300,

View File

@ -1,88 +1,89 @@
{
"creation": "2013-03-08 15:36:46.000000",
"docstatus": 0,
"doctype": "DocType",
"creation": "2013-03-08 15:36:46",
"docstatus": 0,
"doctype": "DocType",
"fields": [
{
"fieldname": "journal_voucher",
"fieldtype": "Link",
"in_list_view": 1,
"label": "Journal Voucher",
"no_copy": 1,
"oldfieldname": "journal_voucher",
"oldfieldtype": "Link",
"options": "Journal Voucher",
"permlevel": 0,
"print_width": "180px",
"read_only": 1,
"fieldname": "journal_entry",
"fieldtype": "Link",
"in_list_view": 1,
"label": "Journal Entry",
"no_copy": 1,
"oldfieldname": "journal_voucher",
"oldfieldtype": "Link",
"options": "Journal Entry",
"permlevel": 0,
"print_width": "180px",
"read_only": 1,
"width": "180px"
},
},
{
"fieldname": "jv_detail_no",
"fieldtype": "Data",
"hidden": 1,
"in_list_view": 0,
"label": "Journal Voucher Detail No",
"no_copy": 1,
"oldfieldname": "jv_detail_no",
"oldfieldtype": "Date",
"permlevel": 0,
"print_hide": 1,
"print_width": "80px",
"read_only": 1,
"fieldname": "jv_detail_no",
"fieldtype": "Data",
"hidden": 1,
"in_list_view": 0,
"label": "Journal Entry Detail No",
"no_copy": 1,
"oldfieldname": "jv_detail_no",
"oldfieldtype": "Date",
"permlevel": 0,
"print_hide": 1,
"print_width": "80px",
"read_only": 1,
"width": "80px"
},
},
{
"fieldname": "remarks",
"fieldtype": "Small Text",
"in_list_view": 1,
"label": "Remarks",
"no_copy": 1,
"oldfieldname": "remarks",
"oldfieldtype": "Small Text",
"permlevel": 0,
"print_width": "150px",
"read_only": 1,
"fieldname": "remarks",
"fieldtype": "Small Text",
"in_list_view": 1,
"label": "Remarks",
"no_copy": 1,
"oldfieldname": "remarks",
"oldfieldtype": "Small Text",
"permlevel": 0,
"print_width": "150px",
"read_only": 1,
"width": "150px"
},
},
{
"fieldname": "col_break1",
"fieldtype": "Column Break",
"fieldname": "col_break1",
"fieldtype": "Column Break",
"permlevel": 0
},
},
{
"fieldname": "advance_amount",
"fieldtype": "Currency",
"in_list_view": 1,
"label": "Advance Amount",
"no_copy": 1,
"oldfieldname": "advance_amount",
"oldfieldtype": "Currency",
"options": "Company:company:default_currency",
"permlevel": 0,
"print_width": "100px",
"read_only": 1,
"fieldname": "advance_amount",
"fieldtype": "Currency",
"in_list_view": 1,
"label": "Advance Amount",
"no_copy": 1,
"oldfieldname": "advance_amount",
"oldfieldtype": "Currency",
"options": "Company:company:default_currency",
"permlevel": 0,
"print_width": "100px",
"read_only": 1,
"width": "100px"
},
},
{
"fieldname": "allocated_amount",
"fieldtype": "Currency",
"in_list_view": 1,
"label": "Allocated Amount",
"no_copy": 1,
"oldfieldname": "allocated_amount",
"oldfieldtype": "Currency",
"options": "Company:company:default_currency",
"permlevel": 0,
"print_width": "100px",
"fieldname": "allocated_amount",
"fieldtype": "Currency",
"in_list_view": 1,
"label": "Allocated Amount",
"no_copy": 1,
"oldfieldname": "allocated_amount",
"oldfieldtype": "Currency",
"options": "Company:company:default_currency",
"permlevel": 0,
"print_width": "100px",
"width": "100px"
}
],
"idx": 1,
"istable": 1,
"modified": "2014-02-03 12:38:24.000000",
"modified_by": "Administrator",
"module": "Accounts",
"name": "Purchase Invoice Advance",
"owner": "Administrator"
}
],
"idx": 1,
"istable": 1,
"modified": "2014-12-25 16:29:15.176476",
"modified_by": "Administrator",
"module": "Accounts",
"name": "Purchase Invoice Advance",
"owner": "Administrator",
"permissions": []
}

View File

@ -79,7 +79,7 @@ erpnext.accounts.SalesInvoiceController = erpnext.selling.SellingController.exte
}
if(doc.outstanding_amount!=0) {
cur_frm.appframe.add_primary_action(__('Make Payment Entry'), cur_frm.cscript.make_bank_voucher, "icon-money");
cur_frm.appframe.add_primary_action(__('Make Payment Entry'), cur_frm.cscript.make_bank_entry, "icon-money");
}
}
@ -276,9 +276,9 @@ cur_frm.cscript['Make Delivery Note'] = function() {
})
}
cur_frm.cscript.make_bank_voucher = function() {
cur_frm.cscript.make_bank_entry = function() {
return frappe.call({
method: "erpnext.accounts.doctype.journal_voucher.journal_voucher.get_payment_entry_from_sales_invoice",
method: "erpnext.accounts.doctype.journal_entry.journal_entry.get_payment_entry_from_sales_invoice",
args: {
"sales_invoice": cur_frm.doc.name
},

View File

@ -222,7 +222,7 @@ class SalesInvoice(SellingController):
for d in self.get('advances'):
if flt(d.allocated_amount) > 0:
args = {
'voucher_no' : d.journal_voucher,
'voucher_no' : d.journal_entry,
'voucher_detail_no' : d.jv_detail_no,
'against_voucher_type' : 'Sales Invoice',
'against_voucher' : self.name,

View File

@ -351,7 +351,7 @@ class TestSalesInvoice(unittest.TestCase):
frappe.db.sql("""delete from `tabGL Entry`""")
w = self.make()
from erpnext.accounts.doctype.journal_voucher.test_journal_voucher \
from erpnext.accounts.doctype.journal_entry.test_journal_entry \
import test_records as jv_test_records
jv = frappe.get_doc(frappe.copy_doc(jv_test_records[0]))
@ -631,7 +631,7 @@ class TestSalesInvoice(unittest.TestCase):
return dn
def test_sales_invoice_with_advance(self):
from erpnext.accounts.doctype.journal_voucher.test_journal_voucher \
from erpnext.accounts.doctype.journal_entry.test_journal_entry \
import test_records as jv_test_records
jv = frappe.copy_doc(jv_test_records[0])
@ -641,7 +641,7 @@ class TestSalesInvoice(unittest.TestCase):
si = frappe.copy_doc(test_records[0])
si.append("advances", {
"doctype": "Sales Invoice Advance",
"journal_voucher": jv.name,
"journal_entry": jv.name,
"jv_detail_no": jv.get("entries")[0].name,
"advance_amount": 400,
"allocated_amount": 300,
@ -728,5 +728,5 @@ class TestSalesInvoice(unittest.TestCase):
self.assertRaises(SerialNoStatusError, si.submit)
test_dependencies = ["Journal Voucher", "Contact", "Address"]
test_dependencies = ["Journal Entry", "Contact", "Address"]
test_records = frappe.get_test_records('Sales Invoice')

View File

@ -1,88 +1,89 @@
{
"creation": "2013-02-22 01:27:41.000000",
"docstatus": 0,
"doctype": "DocType",
"creation": "2013-02-22 01:27:41",
"docstatus": 0,
"doctype": "DocType",
"fields": [
{
"fieldname": "journal_voucher",
"fieldtype": "Link",
"in_list_view": 1,
"label": "Journal Voucher",
"no_copy": 1,
"oldfieldname": "journal_voucher",
"oldfieldtype": "Link",
"options": "Journal Voucher",
"permlevel": 0,
"print_width": "250px",
"read_only": 1,
"fieldname": "journal_entry",
"fieldtype": "Link",
"in_list_view": 1,
"label": "Journal Entry",
"no_copy": 1,
"oldfieldname": "journal_voucher",
"oldfieldtype": "Link",
"options": "Journal Entry",
"permlevel": 0,
"print_width": "250px",
"read_only": 1,
"width": "250px"
},
},
{
"fieldname": "remarks",
"fieldtype": "Small Text",
"in_list_view": 1,
"label": "Remarks",
"no_copy": 1,
"oldfieldname": "remarks",
"oldfieldtype": "Small Text",
"permlevel": 0,
"print_width": "150px",
"read_only": 1,
"fieldname": "remarks",
"fieldtype": "Small Text",
"in_list_view": 1,
"label": "Remarks",
"no_copy": 1,
"oldfieldname": "remarks",
"oldfieldtype": "Small Text",
"permlevel": 0,
"print_width": "150px",
"read_only": 1,
"width": "150px"
},
},
{
"fieldname": "jv_detail_no",
"fieldtype": "Data",
"hidden": 1,
"in_list_view": 0,
"label": "Journal Voucher Detail No",
"no_copy": 1,
"oldfieldname": "jv_detail_no",
"oldfieldtype": "Data",
"permlevel": 0,
"print_hide": 1,
"print_width": "120px",
"read_only": 1,
"fieldname": "jv_detail_no",
"fieldtype": "Data",
"hidden": 1,
"in_list_view": 0,
"label": "Journal Entry Detail No",
"no_copy": 1,
"oldfieldname": "jv_detail_no",
"oldfieldtype": "Data",
"permlevel": 0,
"print_hide": 1,
"print_width": "120px",
"read_only": 1,
"width": "120px"
},
},
{
"fieldname": "col_break1",
"fieldtype": "Column Break",
"fieldname": "col_break1",
"fieldtype": "Column Break",
"permlevel": 0
},
},
{
"fieldname": "advance_amount",
"fieldtype": "Currency",
"in_list_view": 1,
"label": "Advance amount",
"no_copy": 1,
"oldfieldname": "advance_amount",
"oldfieldtype": "Currency",
"options": "Company:company:default_currency",
"permlevel": 0,
"print_width": "120px",
"read_only": 1,
"fieldname": "advance_amount",
"fieldtype": "Currency",
"in_list_view": 1,
"label": "Advance amount",
"no_copy": 1,
"oldfieldname": "advance_amount",
"oldfieldtype": "Currency",
"options": "Company:company:default_currency",
"permlevel": 0,
"print_width": "120px",
"read_only": 1,
"width": "120px"
},
},
{
"fieldname": "allocated_amount",
"fieldtype": "Currency",
"in_list_view": 1,
"label": "Allocated amount",
"no_copy": 1,
"oldfieldname": "allocated_amount",
"oldfieldtype": "Currency",
"options": "Company:company:default_currency",
"permlevel": 0,
"print_width": "120px",
"fieldname": "allocated_amount",
"fieldtype": "Currency",
"in_list_view": 1,
"label": "Allocated amount",
"no_copy": 1,
"oldfieldname": "allocated_amount",
"oldfieldtype": "Currency",
"options": "Company:company:default_currency",
"permlevel": 0,
"print_width": "120px",
"width": "120px"
}
],
"idx": 1,
"istable": 1,
"modified": "2014-02-03 12:38:53.000000",
"modified_by": "Administrator",
"module": "Accounts",
"name": "Sales Invoice Advance",
"owner": "Administrator"
}
],
"idx": 1,
"istable": 1,
"modified": "2014-12-25 16:30:19.446500",
"modified_by": "Administrator",
"module": "Accounts",
"name": "Sales Invoice Advance",
"owner": "Administrator",
"permissions": []
}

View File

@ -91,7 +91,7 @@ def validate_total_debit_credit(total_debit, total_credit):
frappe.throw(_("Debit and Credit not equal for this voucher. Difference is {0}.").format(total_debit - total_credit))
def validate_account_for_auto_accounting_for_stock(gl_map):
if gl_map[0].voucher_type=="Journal Voucher":
if gl_map[0].voucher_type=="Journal Entry":
aii_accounts = [d[0] for d in frappe.db.sql("""select name from tabAccount
where account_type = 'Warehouse' and ifnull(warehouse, '')!=''""")]

View File

@ -1,6 +1,6 @@
{
"creation": "2012-04-11 13:16:56",
"doc_type": "Journal Voucher",
"doc_type": "Journal Entry",
"docstatus": 0,
"doctype": "Print Format",
"html": "<div style=\"position: relative\">\n\n\t{%- from \"templates/print_formats/standard_macros.html\" import add_header -%}\n<div class=\"page-break\">\n {%- if not doc.get(\"print_heading\") and not doc.get(\"select_print_heading\") \n and doc.set(\"select_print_heading\", _(\"Payment Advice\")) -%}{%- endif -%}\n {{ add_header(0, 1, doc, letter_head, no_letterhead) }}\n\n{%- for label, value in (\n (_(\"Voucher Date\"), frappe.utils.formatdate(doc.voucher_date)),\n (_(\"Reference / Cheque No.\"), doc.cheque_no),\n (_(\"Reference / Cheque Date\"), frappe.utils.formatdate(doc.cheque_date))\n ) -%}\n <div class=\"row\">\n <div class=\"col-sm-4\"><label class=\"text-right\">{{ label }}</label></div>\n <div class=\"col-sm-8\">{{ value }}</div>\n </div>\n{%- endfor -%}\n\t<hr>\n\t<p>{{ _(\"This amount is in full / part settlement of the listed bills\") }}:</p>\n{%- for label, value in (\n (_(\"Amount\"), \"<strong>\" + doc.get_formatted(\"total_amount\") + \"</strong><br>\" + (doc.total_amount_in_words or \"\") + \"<br>\"),\n (_(\"References\"), doc.remark)\n ) -%}\n <div class=\"row\">\n <div class=\"col-sm-4\"><label class=\"text-right\">{{ label }}</label></div>\n <div class=\"col-sm-8\">{{ value }}</div>\n </div>\n {%- endfor -%}\n <hr>\n\t<div style=\"position: absolute; top: 14cm; left: 0cm;\">\n\t\tPrepared By</div>\n\t<div style=\"position: absolute; top: 14cm; left: 5.5cm;\">\n\t\tAuthorised Signatory</div>\n\t<div style=\"position: absolute; top: 14cm; left: 11cm;\">\n\t\tReceived Payment as Above</div>\n\t<div style=\"position: absolute; top: 16.4cm; left: 5.9cm;\">\n\t\t<strong>_____________</strong></div>\n\t<div style=\"position: absolute; top: 16.7cm; left: 6cm;\">\n\t\t<strong>A/C Payee</strong></div>\n\t<div style=\"position: absolute; top: 16.7cm; left: 5.9cm;\">\n\t\t<strong>_____________</strong></div>\n\t<div style=\"position: absolute; top: 16.9cm; left: 12cm;\">\n\t\t{{ frappe.utils.formatdate(doc.cheque_date) }}</div>\n\t<div style=\"position: absolute; top: 17.9cm; left: 1cm;\">\n\t\t{{ doc.pay_to_recd_from }}</div>\n\t<div style=\"position: absolute; top: 18.6cm; left: 1cm; width: 7cm;\">\n\t\t{{ doc.total_amount_in_words }}</div>\n\t<div style=\"position: absolute; top: 19.7cm; left: 12cm;\">\n\t\t{{ doc.total_amount }}</div>\n</div>",

View File

@ -1,7 +1,7 @@
{
"creation": "2014-08-28 11:11:39.796473",
"disabled": 0,
"doc_type": "Journal Voucher",
"doc_type": "Journal Entry",
"docstatus": 0,
"doctype": "Print Format",
"html": "{%- from \"templates/print_formats/standard_macros.html\" import add_header -%}\n\n<div class=\"page-break\">\n {%- if not doc.get(\"print_heading\") and not doc.get(\"select_print_heading\") \n and doc.set(\"select_print_heading\", _(\"Credit Note\")) -%}{%- endif -%}\n {{ add_header(0, 1, doc, letter_head, no_letterhead) }}\n\n {%- for label, value in (\n (_(\"Credit To\"), doc.pay_to_recd_from),\n (_(\"Date\"), frappe.utils.formatdate(doc.voucher_date)),\n (_(\"Amount\"), \"<strong>\" + doc.get_formatted(\"total_amount\") + \"</strong><br>\" + (doc.total_amount_in_words or \"\") + \"<br>\"),\n (_(\"Remarks\"), doc.remark)\n ) -%}\n\n <div class=\"row\">\n <div class=\"col-sm-3\"><label class=\"text-right\">{{ label }}</label></div>\n <div class=\"col-sm-9\">{{ value }}</div>\n </div>\n\n {%- endfor -%}\n\n <hr>\n <br>\n <p class=\"strong\">\n {{ _(\"For\") }} {{ doc.company }},<br>\n <br>\n <br>\n <br>\n {{ _(\"Authorized Signatory\") }}\n </p>\n</div>\n\n\n",
@ -11,7 +11,7 @@
"module": "Accounts",
"name": "Credit Note",
"owner": "Administrator",
"parent": "Journal Voucher",
"parent": "Journal Entry",
"parentfield": "__print_formats",
"parenttype": "DocType",
"print_format_type": "Server",

View File

@ -1,6 +1,6 @@
{
"creation": "2012-05-01 12:46:31",
"doc_type": "Journal Voucher",
"doc_type": "Journal Entry",
"docstatus": 0,
"doctype": "Print Format",
"html": "{%- from \"templates/print_formats/standard_macros.html\" import add_header -%}\n<div class=\"page-break\">\n {%- if not doc.get(\"print_heading\") and not doc.get(\"select_print_heading\") \n and doc.set(\"select_print_heading\", _(\"Payment Receipt Note\")) -%}{%- endif -%}\n {{ add_header(0, 1, doc, letter_head, no_letterhead) }}\n\n {%- for label, value in (\n (_(\"Received On\"), frappe.utils.formatdate(doc.voucher_date)),\n (_(\"Received From\"), doc.pay_to_recd_from),\n (_(\"Amount\"), \"<strong>\" + doc.get_formatted(\"total_amount\") + \"</strong><br>\" + (doc.total_amount_in_words or \"\") + \"<br>\"),\n (_(\"Remarks\"), doc.remark)\n ) -%}\n <div class=\"row\">\n <div class=\"col-sm-3\"><label class=\"text-right\">{{ label }}</label></div>\n <div class=\"col-sm-9\">{{ value }}</div>\n </div>\n\n {%- endfor -%}\n\n <hr>\n <br>\n <p class=\"strong\">\n {{ _(\"For\") }} {{ doc.company }},<br>\n <br>\n <br>\n <br>\n {{ _(\"Authorized Signatory\") }}\n </p>\n</div>\n\n",

View File

@ -10,7 +10,7 @@
"module": "Accounts",
"name": "Bank Clearance Summary",
"owner": "Administrator",
"ref_doctype": "Journal Voucher",
"ref_doctype": "Journal Entry",
"report_name": "Bank Clearance Summary",
"report_type": "Script Report"
}

View File

@ -14,7 +14,7 @@ def execute(filters=None):
return columns, data
def get_columns():
return [_("Journal Voucher") + ":Link/Journal Voucher:140", _("Account") + ":Link/Account:140",
return [_("Journal Entry") + ":Link/Journal Entry:140", _("Account") + ":Link/Account:140",
_("Posting Date") + ":Date:100", _("Clearance Date") + ":Date:110", _("Against Account") + ":Link/Account:200",
_("Debit") + ":Currency:120", _("Credit") + ":Currency:120"
]
@ -35,7 +35,7 @@ def get_entries(filters):
conditions = get_conditions(filters)
entries = frappe.db.sql("""select jv.name, jvd.account, jv.posting_date,
jv.clearance_date, jvd.against_account, jvd.debit, jvd.credit
from `tabJournal Entry Account` jvd, `tabJournal Voucher` jv
from `tabJournal Entry Account` jvd, `tabJournal Entry` jv
where jvd.parent = jv.name and jv.docstatus=1 %s
order by jv.name DESC""" % conditions, filters, as_list=1)
return entries

View File

@ -8,7 +8,7 @@
<thead>
<tr>
<th style="width: 15%">{%= __("Posting Date") %}</th>
<th style="width: 15%">{%= __("Journal Voucher") %}</th>
<th style="width: 15%">{%= __("Journal Entry") %}</th>
<th style="width: 40%">{%= __("Reference") %}</th>
<th style="width: 15%; text-align: right;">{%= __("Debit") %}</th>
<th style="width: 15%; text-align: right;">{%= __("Credit") %}</th>
@ -19,7 +19,7 @@
{% if (data[i][__("Posting Date")]) { %}
<tr>
<td>{%= dateutil.str_to_user(data[i][__("Posting Date")]) %}</td>
<td>{%= data[i][__("Journal Voucher")] %}</td>
<td>{%= data[i][__("Journal Entry")] %}</td>
<td>{%= __("Against") %}: {%= data[i][__("Against Account")] %}
{% if (data[i][__("Reference")]) { %}
<br>{%= __("Reference") %}: {%= data[i][__("Reference")] %}
@ -38,7 +38,7 @@
<tr>
<td></td>
<td></td>
<td>{%= data[i][__("Journal Voucher")] %}</td>
<td>{%= data[i][__("Journal Entry")] %}</td>
<td style="text-align: right">{%= format_currency(data[i][__("Debit")]) %}</td>
<td style="text-align: right">{%= format_currency(data[i][__("Credit")]) %}</td>
</tr>

View File

@ -11,7 +11,7 @@
"module": "Accounts",
"name": "Bank Reconciliation Statement",
"owner": "Administrator",
"ref_doctype": "Journal Voucher",
"ref_doctype": "Journal Entry",
"report_name": "Bank Reconciliation Statement",
"report_type": "Script Report"
}

View File

@ -24,7 +24,7 @@ def execute(filters=None):
total_credit += flt(d[3])
amounts_not_reflected_in_system = frappe.db.sql("""select sum(ifnull(jvd.debit, 0) - ifnull(jvd.credit, 0))
from `tabJournal Entry Account` jvd, `tabJournal Voucher` jv
from `tabJournal Entry Account` jvd, `tabJournal Entry` jv
where jvd.parent = jv.name and jv.docstatus=1 and jvd.account=%s
and jv.posting_date > %s and jv.clearance_date <= %s and ifnull(jv.is_opening, 'No') = 'No'
""", (filters["account"], filters["report_date"], filters["report_date"]))
@ -47,7 +47,7 @@ def execute(filters=None):
return columns, data
def get_columns():
return [_("Posting Date") + ":Date:100", _("Journal Voucher") + ":Link/Journal Voucher:220",
return [_("Posting Date") + ":Date:100", _("Journal Entry") + ":Link/Journal Entry:220",
_("Debit") + ":Currency:120", _("Credit") + ":Currency:120",
_("Against Account") + ":Link/Account:200", _("Reference") + "::100", _("Ref Date") + ":Date:110", _("Clearance Date") + ":Date:110"
]
@ -57,7 +57,7 @@ def get_entries(filters):
jv.posting_date, jv.name, jvd.debit, jvd.credit,
jvd.against_account, jv.cheque_no, jv.cheque_date, jv.clearance_date
from
`tabJournal Entry Account` jvd, `tabJournal Voucher` jv
`tabJournal Entry Account` jvd, `tabJournal Entry` jv
where jvd.parent = jv.name and jv.docstatus=1
and jvd.account = %(account)s and jv.posting_date <= %(report_date)s
and ifnull(jv.clearance_date, '4000-01-01') > %(report_date)s

View File

@ -11,7 +11,7 @@
"module": "Accounts",
"name": "Payment Period Based On Invoice Date",
"owner": "Administrator",
"ref_doctype": "Journal Voucher",
"ref_doctype": "Journal Entry",
"report_name": "Payment Period Based On Invoice Date",
"report_type": "Script Report"
}

View File

@ -37,7 +37,7 @@ def execute(filters=None):
return columns, data
def get_columns():
return [_("Journal Voucher") + ":Link/Journal Voucher:140", _("Account") + ":Link/Account:140",
return [_("Journal Entry") + ":Link/Journal Entry:140", _("Account") + ":Link/Account:140",
_("Posting Date") + ":Date:100", _("Against Invoice") + ":Link/Purchase Invoice:130",
_("Against Invoice Posting Date") + ":Date:130", _("Debit") + ":Currency:120", _("Credit") + ":Currency:120",
_("Reference No") + "::100", _("Reference Date") + ":Date:100", _("Remarks") + "::150", _("Age") +":Int:40",
@ -77,7 +77,7 @@ def get_entries(filters):
entries = frappe.db.sql("""select jv.name, jvd.account, jv.posting_date,
jvd.against_voucher, jvd.against_invoice, jvd.debit, jvd.credit,
jv.cheque_no, jv.cheque_date, jv.remark
from `tabJournal Entry Account` jvd, `tabJournal Voucher` jv
from `tabJournal Entry Account` jvd, `tabJournal Entry` jv
where jvd.parent = jv.name and jv.docstatus=1 %s order by jv.name DESC""" %
(conditions), tuple(party_accounts), as_dict=1)

View File

@ -136,7 +136,7 @@ def reconcile_against_document(args):
check_if_jv_modified(d)
validate_allocated_amount(d)
against_fld = {
'Journal Voucher' : 'against_jv',
'Journal Entry' : 'against_jv',
'Sales Invoice' : 'against_invoice',
'Purchase Invoice' : 'against_voucher'
}
@ -144,7 +144,7 @@ def reconcile_against_document(args):
d['against_fld'] = against_fld[d['against_voucher_type']]
# cancel JV
jv_obj = frappe.get_doc('Journal Voucher', d['voucher_no'])
jv_obj = frappe.get_doc('Journal Entry', d['voucher_no'])
jv_obj.make_gl_entries(cancel=1, adv_adj=1)
@ -152,7 +152,7 @@ def reconcile_against_document(args):
update_against_doc(d, jv_obj)
# re-submit JV
jv_obj = frappe.get_doc('Journal Voucher', d['voucher_no'])
jv_obj = frappe.get_doc('Journal Entry', d['voucher_no'])
jv_obj.make_gl_entries(cancel = 0, adv_adj =1)
@ -163,7 +163,7 @@ def check_if_jv_modified(args):
check if jv is submitted
"""
ret = frappe.db.sql("""
select t2.{dr_or_cr} from `tabJournal Voucher` t1, `tabJournal Entry Account` t2
select t2.{dr_or_cr} from `tabJournal Entry` t1, `tabJournal Entry Account` t2
where t1.name = t2.parent and t2.account = %(account)s
and t2.party_type = %(party_type)s and t2.party = %(party)s
and ifnull(t2.against_voucher, '')=''
@ -225,7 +225,7 @@ def remove_against_link_from_jv(ref_type, ref_no, against_field):
and voucher_no != ifnull(against_voucher, '')""",
(now(), frappe.session.user, ref_type, ref_no))
frappe.msgprint(_("Journal Vouchers {0} are un-linked".format("\n".join(linked_jv))))
frappe.msgprint(_("Journal Entries {0} are un-linked".format("\n".join(linked_jv))))
@frappe.whitelist()

View File

@ -241,7 +241,7 @@ def make_purchase_receipt(source_name, target_doc=None):
def make_purchase_invoice(source_name, target_doc=None):
def postprocess(source, target):
set_missing_values(source, target)
#Get the advance paid Journal Vouchers in Purchase Invoice Advance
#Get the advance paid Journal Entries in Purchase Invoice Advance
target.get_advances()
def update_item(obj, target, source_parent):

View File

@ -17,7 +17,7 @@ erpnext.buying.SupplierQuotationController = erpnext.buying.BuyingController.ext
if (this.frm.doc.docstatus === 1) {
cur_frm.add_custom_button(__("Make Purchase Order"), this.make_purchase_order,
frappe.boot.doctype_icons["Journal Voucher"]);
frappe.boot.doctype_icons["Journal Entry"]);
}
else if (this.frm.doc.docstatus===0) {
cur_frm.add_custom_button(__('From Material Request'),

View File

@ -8,7 +8,7 @@ def get_data():
"items": [
{
"type": "doctype",
"name": "Journal Voucher",
"name": "Journal Entry",
"description": _("Accounting journal entries.")
},
{
@ -234,7 +234,7 @@ def get_data():
"type": "report",
"name": "Bank Reconciliation Statement",
"is_query_report": True,
"doctype": "Journal Voucher"
"doctype": "Journal Entry"
},
{
"type": "report",
@ -264,13 +264,13 @@ def get_data():
"type": "report",
"name": "Bank Clearance Summary",
"is_query_report": True,
"doctype": "Journal Voucher"
"doctype": "Journal Entry"
},
{
"type": "report",
"name": "Payment Period Based On Invoice Date",
"is_query_report": True,
"doctype": "Journal Voucher"
"doctype": "Journal Entry"
},
{
"type": "report",

View File

@ -394,7 +394,7 @@ class AccountsController(TransactionBase):
select
t1.name as jv_no, t1.remark, t2.{0} as amount, t2.name as jv_detail_no, `against_{1}` as against_order
from
`tabJournal Voucher` t1, `tabJournal Entry Account` t2
`tabJournal Entry` t1, `tabJournal Entry Account` t2
where
t1.name = t2.parent and t2.account = %s
and t2.party_type=%s and t2.party=%s
@ -413,7 +413,7 @@ class AccountsController(TransactionBase):
for d in res:
self.append(parentfield, {
"doctype": child_doctype,
"journal_voucher": d.jv_no,
"journal_entry": d.jv_no,
"jv_detail_no": d.jv_detail_no,
"remarks": d.remark,
"advance_amount": flt(d.amount),
@ -438,12 +438,12 @@ class AccountsController(TransactionBase):
for d in jv_against_order:
order_jv_map.setdefault(d.against_order, []).append(d.parent)
advance_jv_against_si = [d.journal_voucher for d in self.get(advance_table_fieldname)]
advance_jv_against_si = [d.journal_entry for d in self.get(advance_table_fieldname)]
for order, jv_list in order_jv_map.items():
for jv in jv_list:
if not advance_jv_against_si or jv not in advance_jv_against_si:
frappe.throw(_("Journal Voucher {0} is linked against Order {1}, hence it must be fetched as advance in Invoice as well.")
frappe.throw(_("Journal Entry {0} is linked against Order {1}, hence it must be fetched as advance in Invoice as well.")
.format(jv, order))

View File

@ -4,18 +4,18 @@
frappe.provide("erpnext.hr");
erpnext.hr.ExpenseClaimController = frappe.ui.form.Controller.extend({
make_bank_voucher: function() {
make_bank_entry: function() {
var me = this;
return frappe.call({
method: "erpnext.accounts.doctype.journal_voucher.journal_voucher.get_default_bank_cash_account",
method: "erpnext.accounts.doctype.journal_entry.journal_entry.get_default_bank_cash_account",
args: {
"company": cur_frm.doc.company,
"voucher_type": "Bank Voucher"
"voucher_type": "Bank Entry"
},
callback: function(r) {
var jv = frappe.model.make_new_doc_and_get_name('Journal Voucher');
jv = locals['Journal Voucher'][jv];
jv.voucher_type = 'Bank Voucher';
var jv = frappe.model.make_new_doc_and_get_name('Journal Entry');
jv = locals['Journal Entry'][jv];
jv.voucher_type = 'Bank Entry';
jv.company = cur_frm.doc.company;
jv.remark = 'Payment against Expense Claim: ' + cur_frm.doc.name;
jv.fiscal_year = cur_frm.doc.fiscal_year;
@ -33,7 +33,7 @@ erpnext.hr.ExpenseClaimController = frappe.ui.form.Controller.extend({
d1.balance = r.message.balance;
}
loaddoc('Journal Voucher', jv.name);
loaddoc('Journal Entry', jv.name);
}
});
}
@ -91,10 +91,10 @@ cur_frm.cscript.refresh = function(doc,cdt,cdn){
if(doc.docstatus==0 && doc.exp_approver==user && doc.approval_status=="Approved")
cur_frm.savesubmit();
if(doc.docstatus==1 && frappe.model.can_create("Journal Voucher") &&
if(doc.docstatus==1 && frappe.model.can_create("Journal Entry") &&
cint(doc.total_amount_reimbursed) < cint(doc.total_sanctioned_amount))
cur_frm.add_custom_button(__("Make Bank Voucher"),
cur_frm.cscript.make_bank_voucher, frappe.boot.doctype_icons["Journal Voucher"]);
cur_frm.add_custom_button(__("Make Bank Entry"),
cur_frm.cscript.make_bank_entry, frappe.boot.doctype_icons["Journal Entry"]);
}
}

View File

@ -29,7 +29,7 @@ cur_frm.cscript.submit_salary_slip = function(doc, cdt, cdn) {
}
}
cur_frm.cscript.make_bank_voucher = function(doc,cdt,cdn){
cur_frm.cscript.make_bank_entry = function(doc,cdt,cdn){
if(doc.company && doc.month && doc.fiscal_year){
cur_frm.cscript.make_jv(doc, cdt, cdn);
} else {
@ -39,9 +39,9 @@ cur_frm.cscript.make_bank_voucher = function(doc,cdt,cdn){
cur_frm.cscript.make_jv = function(doc, dt, dn) {
var call_back = function(r, rt){
var jv = frappe.model.make_new_doc_and_get_name('Journal Voucher');
jv = locals['Journal Voucher'][jv];
jv.voucher_type = 'Bank Voucher';
var jv = frappe.model.make_new_doc_and_get_name('Journal Entry');
jv = locals['Journal Entry'][jv];
jv.voucher_type = 'Bank Entry';
jv.user_remark = __('Payment of salary for the month {0} and year {1}', [doc.month, doc.fiscal_year]);
jv.fiscal_year = doc.fiscal_year;
jv.company = doc.company;
@ -56,7 +56,7 @@ cur_frm.cscript.make_jv = function(doc, dt, dn) {
var d2 = frappe.model.add_child(jv, 'Journal Entry Account', 'entries');
d2.debit = r.message['amount']
loaddoc('Journal Voucher', jv.name);
loaddoc('Journal Entry', jv.name);
}
return $c_obj(doc, 'get_acc_details', '', call_back);
}

View File

@ -1,163 +1,163 @@
{
"allow_copy": 1,
"allow_email": 1,
"allow_print": 1,
"creation": "2012-03-27 14:35:59",
"docstatus": 0,
"doctype": "DocType",
"document_type": "Other",
"allow_copy": 1,
"allow_email": 1,
"allow_print": 1,
"creation": "2012-03-27 14:35:59",
"docstatus": 0,
"doctype": "DocType",
"document_type": "Other",
"fields": [
{
"fieldname": "document_description",
"fieldtype": "HTML",
"label": "Document Description",
"options": "<div class=\"alert alert-info\">You can generate multiple salary slips based on the selected criteria, submit and mail those to the employee directly from here</div>",
"fieldname": "document_description",
"fieldtype": "HTML",
"label": "Document Description",
"options": "<div class=\"alert alert-info\">You can generate multiple salary slips based on the selected criteria, submit and mail those to the employee directly from here</div>",
"permlevel": 0
},
},
{
"fieldname": "section_break0",
"fieldtype": "Section Break",
"fieldname": "section_break0",
"fieldtype": "Section Break",
"permlevel": 0
},
},
{
"fieldname": "column_break0",
"fieldtype": "Column Break",
"permlevel": 0,
"fieldname": "column_break0",
"fieldtype": "Column Break",
"permlevel": 0,
"width": "50%"
},
},
{
"fieldname": "company",
"fieldtype": "Link",
"in_list_view": 1,
"label": "Company",
"options": "Company",
"permlevel": 0,
"fieldname": "company",
"fieldtype": "Link",
"in_list_view": 1,
"label": "Company",
"options": "Company",
"permlevel": 0,
"reqd": 1
},
},
{
"fieldname": "branch",
"fieldtype": "Link",
"in_list_view": 1,
"label": "Branch",
"options": "Branch",
"fieldname": "branch",
"fieldtype": "Link",
"in_list_view": 1,
"label": "Branch",
"options": "Branch",
"permlevel": 0
},
},
{
"fieldname": "department",
"fieldtype": "Link",
"label": "Department",
"options": "Department",
"fieldname": "department",
"fieldtype": "Link",
"label": "Department",
"options": "Department",
"permlevel": 0
},
},
{
"fieldname": "designation",
"fieldtype": "Link",
"label": "Designation",
"options": "Designation",
"fieldname": "designation",
"fieldtype": "Link",
"label": "Designation",
"options": "Designation",
"permlevel": 0
},
},
{
"fieldname": "column_break1",
"fieldtype": "Column Break",
"permlevel": 0,
"fieldname": "column_break1",
"fieldtype": "Column Break",
"permlevel": 0,
"width": "50%"
},
},
{
"fieldname": "fiscal_year",
"fieldtype": "Link",
"label": "Fiscal Year",
"options": "Fiscal Year",
"permlevel": 0,
"fieldname": "fiscal_year",
"fieldtype": "Link",
"label": "Fiscal Year",
"options": "Fiscal Year",
"permlevel": 0,
"reqd": 1
},
},
{
"fieldname": "month",
"fieldtype": "Select",
"label": "Month",
"options": "\n01\n02\n03\n04\n05\n06\n07\n08\n09\n10\n11\n12",
"permlevel": 0,
"fieldname": "month",
"fieldtype": "Select",
"label": "Month",
"options": "\n01\n02\n03\n04\n05\n06\n07\n08\n09\n10\n11\n12",
"permlevel": 0,
"reqd": 1
},
},
{
"description": "Check if you want to send salary slip in mail to each employee while submitting salary slip",
"fieldname": "send_email",
"fieldtype": "Check",
"label": "Send Email",
"description": "Check if you want to send salary slip in mail to each employee while submitting salary slip",
"fieldname": "send_email",
"fieldtype": "Check",
"label": "Send Email",
"permlevel": 0
},
},
{
"fieldname": "section_break1",
"fieldtype": "Section Break",
"fieldname": "section_break1",
"fieldtype": "Section Break",
"permlevel": 0
},
},
{
"fieldname": "column_break2",
"fieldtype": "Column Break",
"permlevel": 0,
"fieldname": "column_break2",
"fieldtype": "Column Break",
"permlevel": 0,
"width": "50%"
},
},
{
"description": "Creates salary slip for above mentioned criteria.",
"fieldname": "create_salary_slip",
"fieldtype": "Button",
"label": "Create Salary Slip",
"description": "Creates salary slip for above mentioned criteria.",
"fieldname": "create_salary_slip",
"fieldtype": "Button",
"label": "Create Salary Slip",
"permlevel": 0
},
},
{
"fieldname": "column_break3",
"fieldtype": "Column Break",
"permlevel": 0,
"fieldname": "column_break3",
"fieldtype": "Column Break",
"permlevel": 0,
"width": "25%"
},
},
{
"description": "Submit all salary slips for the above selected criteria",
"fieldname": "submit_salary_slip",
"fieldtype": "Button",
"label": "Submit Salary Slip",
"description": "Submit all salary slips for the above selected criteria",
"fieldname": "submit_salary_slip",
"fieldtype": "Button",
"label": "Submit Salary Slip",
"permlevel": 0
},
},
{
"fieldname": "column_break4",
"fieldtype": "Column Break",
"permlevel": 0,
"fieldname": "column_break4",
"fieldtype": "Column Break",
"permlevel": 0,
"width": "25%"
},
},
{
"description": "Create Bank Voucher for the total salary paid for the above selected criteria",
"fieldname": "make_bank_voucher",
"fieldtype": "Button",
"label": "Make Bank Voucher",
"description": "Create Bank Entry for the total salary paid for the above selected criteria",
"fieldname": "make_bank_entry",
"fieldtype": "Button",
"label": "Make Bank Entry",
"permlevel": 0
},
},
{
"fieldname": "section_break2",
"fieldtype": "Section Break",
"fieldname": "section_break2",
"fieldtype": "Section Break",
"permlevel": 0
},
},
{
"fieldname": "activity_log",
"fieldtype": "HTML",
"label": "Activity Log",
"fieldname": "activity_log",
"fieldtype": "HTML",
"label": "Activity Log",
"permlevel": 0
}
],
"icon": "icon-cog",
"idx": 1,
"issingle": 1,
"modified": "2014-06-04 06:46:39.437061",
"modified_by": "Administrator",
"module": "HR",
"name": "Salary Manager",
"owner": "Administrator",
],
"icon": "icon-cog",
"idx": 1,
"issingle": 1,
"modified": "2014-12-25 06:46:39.437061",
"modified_by": "Administrator",
"module": "HR",
"name": "Salary Manager",
"owner": "Administrator",
"permissions": [
{
"create": 1,
"permlevel": 0,
"read": 1,
"role": "HR Manager",
"create": 1,
"permlevel": 0,
"read": 1,
"role": "HR Manager",
"write": 1
}
],
"sort_field": "modified",
],
"sort_field": "modified",
"sort_order": "DESC"
}
}

View File

@ -36,7 +36,7 @@ erpnext.patches.v4_0.countrywise_coa
execute:frappe.delete_doc("DocType", "MIS Control")
execute:frappe.delete_doc("Page", "Financial Statements")
execute:frappe.delete_doc("DocType", "Stock Ledger")
execute:frappe.db.sql("update `tabJournal Voucher` set voucher_type='Journal Entry' where ifnull(voucher_type, '')=''")
execute:frappe.db.sql("update `tabJournal Entry` set voucher_type='Journal Entry' where ifnull(voucher_type, '')=''")
execute:frappe.delete_doc("DocType", "Grade")
execute:frappe.db.sql("delete from `tabWebsite Item Group` where ifnull(item_group, '')=''")
execute:frappe.delete_doc("Print Format", "SalesInvoice")

View File

@ -17,7 +17,7 @@ doctype_series_map = {
'Delivery Note': 'DN-',
'Installation Note': 'IN-',
'Item': 'ITEM-',
'Journal Voucher': 'JV-',
'Journal Entry': 'JV-',
'Lead': 'LEAD-',
'Opportunity': 'OPTY-',
'Packing Slip': 'PS-',

View File

@ -14,7 +14,7 @@ doctype_series_map = {
'Delivery Note': 'DN-',
'Installation Note': 'IN-',
'Item': 'ITEM-',
'Journal Voucher': 'JV-',
'Journal Entry': 'JV-',
'Lead': 'LEAD-',
'Opportunity': 'OPTY-',
'Packing Slip': 'PS-',

View File

@ -6,15 +6,15 @@ import frappe
def execute():
reference_date = guess_reference_date()
for name in frappe.db.sql_list("""select name from `tabJournal Voucher`
for name in frappe.db.sql_list("""select name from `tabJournal Entry`
where date(creation)>=%s""", reference_date):
jv = frappe.get_doc("Journal Voucher", name)
jv = frappe.get_doc("Journal Entry", name)
try:
jv.create_remarks()
except frappe.MandatoryError:
pass
else:
frappe.db.set_value("Journal Voucher", jv.name, "remark", jv.remark)
frappe.db.set_value("Journal Entry", jv.name, "remark", jv.remark)
def guess_reference_date():
return (frappe.db.get_value("Patch Log", {"patch": "erpnext.patches.v4_0.validate_v3_patch"}, "creation")

View File

@ -7,7 +7,7 @@ import frappe
def execute():
frappe.reload_doc("accounts", "doctype", "account")
frappe.reload_doc("setup", "doctype", "company")
frappe.reload_doc("accounts", "doctype", "journal_voucher_detail")
frappe.reload_doc("accounts", "doctype", "journal_entry_account")
frappe.reload_doc("accounts", "doctype", "gl_entry")
receivable_payable_accounts = create_receivable_payable_account()
if receivable_payable_accounts:

View File

@ -4,9 +4,9 @@
import frappe
def execute():
for d in frappe.db.sql("""select name from `tabJournal Voucher` where docstatus < 2 """, as_dict=1):
for d in frappe.db.sql("""select name from `tabJournal Entry` where docstatus < 2 """, as_dict=1):
try:
jv = frappe.get_doc('Journal Voucher', d.name)
jv = frappe.get_doc('Journal Entry', d.name)
jv.ignore_validate_update_after_submit = True
jv.set_print_format_fields()
jv.save()

View File

@ -209,6 +209,15 @@ rename_map = {
# "Workstation": [
# ["workstation_operation_hours", "working_hours"]
# ],
"Payment Reconciliation Payment": [
["journal_voucher", "journal_entry"],
],
"Purchase Invoice Advance": [
["journal_voucher", "journal_entry"],
],
"Sales Invoice Advance": [
["journal_voucher", "journal_entry"],
]
}
def execute():
@ -228,3 +237,9 @@ def execute():
["Budget Distribution", "Monthly Distribution"]]:
if "tab"+old_dt not in tables:
frappe.rename_doc("DocType", old_dt, new_dt, force=True)
# update voucher type
for old, new in [["Bank Voucher", "Bank Entry"], ["Cash Voucher", "Cash Entry"],
["Credit Card Voucher", "Credit Card Entry"], ["Contra Voucher", "Contra Entry"],
["Write Off Voucher", "Write Off Entry"], ["Excise Voucher", "Excise Entry"]]:
frappe.db.sql("update `tabJournal Entry` set voucher_type=%s where voucher_type=%s", (new, old))

View File

@ -316,7 +316,7 @@ def make_delivery_note(source_name, target_doc=None):
def make_sales_invoice(source_name, target_doc=None):
def postprocess(source, target):
set_missing_values(source, target)
#Get the advance paid Journal Vouchers in Sales Invoice Advance
#Get the advance paid Journal Entries in Sales Invoice Advance
target.get_advances()
def set_missing_values(source, target):

View File

@ -15,7 +15,7 @@ def get_notification_config():
"Opportunity": {"docstatus":0},
"Quotation": {"docstatus":0},
"Sales Order": {"docstatus":0},
"Journal Voucher": {"docstatus":0},
"Journal Entry": {"docstatus":0},
"Sales Invoice": {"docstatus":0},
"Purchase Invoice": {"docstatus":0},
"Leave Application": {"status":"Open"},

View File

@ -69,14 +69,14 @@ erpnext.stock.StockEntry = erpnext.stock.StockController.extend({
this.show_general_ledger();
if(this.frm.doc.docstatus === 1 &&
frappe.boot.user.can_create.indexOf("Journal Voucher")!==-1) {
frappe.boot.user.can_create.indexOf("Journal Entry")!==-1) {
if(this.frm.doc.purpose === "Sales Return") {
this.frm.add_custom_button(__("Make Credit Note"),
function() { me.make_return_jv(); }, frappe.boot.doctype_icons["Journal Voucher"]);
function() { me.make_return_jv(); }, frappe.boot.doctype_icons["Journal Entry"]);
this.add_excise_button();
} else if(this.frm.doc.purpose === "Purchase Return") {
this.frm.add_custom_button(__("Make Debit Note"),
function() { me.make_return_jv(); }, frappe.boot.doctype_icons["Journal Voucher"]);
function() { me.make_return_jv(); }, frappe.boot.doctype_icons["Journal Entry"]);
this.add_excise_button();
}
}
@ -197,11 +197,11 @@ erpnext.stock.StockEntry = erpnext.stock.StockController.extend({
add_excise_button: function() {
if(frappe.boot.sysdefaults.country === "India")
this.frm.add_custom_button(__("Make Excise Invoice"), function() {
var excise = frappe.model.make_new_doc_and_get_name('Journal Voucher');
excise = locals['Journal Voucher'][excise];
excise.voucher_type = 'Excise Voucher';
loaddoc('Journal Voucher', excise.name);
}, frappe.boot.doctype_icons["Journal Voucher"], "btn-default");
var excise = frappe.model.make_new_doc_and_get_name('Journal Entry');
excise = locals['Journal Entry'][excise];
excise.voucher_type = 'Excise Entry';
loaddoc('Journal Entry', excise.name);
}, frappe.boot.doctype_icons["Journal Entry"], "btn-default");
},
make_return_jv: function() {

View File

@ -822,7 +822,7 @@ def make_return_jv(stock_entry):
result = make_return_jv_from_purchase_receipt(se, ref)
# create jv doc and fetch balance for each unique row item
jv = frappe.new_doc("Journal Voucher")
jv = frappe.new_doc("Journal Entry")
jv.update({
"posting_date": se.posting_date,
"voucher_type": se.purpose == "Sales Return" and "Credit Note" or "Debit Note",

View File

@ -151,8 +151,8 @@ Against Document Detail No,تفاصيل الوثيقة رقم ضد
Against Document No,ضد الوثيقة رقم
Against Expense Account,ضد حساب المصاريف
Against Income Account,ضد حساب الدخل
Against Journal Voucher,ضد مجلة قسيمة
Against Journal Voucher {0} does not have any unmatched {1} entry,ضد مجلة قسيمة {0} لا يملك أي لا مثيل له {1} دخول
Against Journal Entry,ضد مجلة قسيمة
Against Journal Entry {0} does not have any unmatched {1} entry,ضد مجلة قسيمة {0} لا يملك أي لا مثيل له {1} دخول
Against Purchase Invoice,ضد فاتورة الشراء
Against Sales Invoice,ضد فاتورة المبيعات
Against Sales Order,ضد ترتيب المبيعات
@ -334,7 +334,7 @@ Bank Overdraft Account,حساب السحب على المكشوف المصرفي
Bank Reconciliation,تسوية البنك
Bank Reconciliation Detail,تفاصيل تسوية البنك
Bank Reconciliation Statement,بيان تسوية البنك
Bank Voucher,البنك قسيمة
Bank Entry,البنك قسيمة
Bank/Cash Balance,بنك / النقد وما في حكمه
Banking,مصرفي
Barcode,الباركود
@ -469,7 +469,7 @@ Case No(s) already in use. Try from Case No {0},الحالة رقم ( ق ) قي
Case No. cannot be 0,القضية رقم لا يمكن أن يكون 0
Cash,نقد
Cash In Hand,نقد في الصندوق
Cash Voucher,قسيمة نقدية
Cash Entry,قسيمة نقدية
Cash or Bank Account is mandatory for making payment entry,نقدا أو الحساب المصرفي إلزامي لجعل الدخول الدفع
Cash/Bank Account,النقد / البنك حساب
Casual Leave,عارضة اترك
@ -593,7 +593,7 @@ Contact master.,الاتصال الرئيسي.
Contacts,اتصالات
Content,محتوى
Content Type,نوع المحتوى
Contra Voucher,كونترا قسيمة
Contra Entry,كونترا قسيمة
Contract,عقد
Contract End Date,تاريخ نهاية العقد
Contract End Date must be greater than Date of Joining,يجب أن يكون تاريخ الانتهاء العقد أكبر من تاريخ الالتحاق بالعمل
@ -624,7 +624,7 @@ Country,بلد
Country Name,الاسم الدولة
Country wise default Address Templates,قوالب بلد الحكمة العنوان الافتراضي
"Country, Timezone and Currency",البلد، المنطقة الزمنية و العملة
Create Bank Voucher for the total salary paid for the above selected criteria,إنشاء بنك للقسيمة الراتب الإجمالي المدفوع للاختيار المعايير المذكورة أعلاه
Create Bank Entry for the total salary paid for the above selected criteria,إنشاء بنك للقسيمة الراتب الإجمالي المدفوع للاختيار المعايير المذكورة أعلاه
Create Customer,خلق العملاء
Create Material Requests,إنشاء طلبات المواد
Create New,خلق جديد
@ -646,7 +646,7 @@ Credentials,أوراق اعتماد
Credit,ائتمان
Credit Amt,الائتمان AMT
Credit Card,بطاقة إئتمان
Credit Card Voucher,بطاقة الائتمان قسيمة
Credit Card Entry,بطاقة الائتمان قسيمة
Credit Controller,المراقب الائتمان
Credit Days,الائتمان أيام
Credit Limit,الحد الائتماني
@ -978,7 +978,7 @@ Excise Duty @ 8,واجب المكوس @ 8
Excise Duty Edu Cess 2,المكوس واجب ايدو سيس 2
Excise Duty SHE Cess 1,المكوس واجب SHE سيس 1
Excise Page Number,المكوس رقم الصفحة
Excise Voucher,المكوس قسيمة
Excise Entry,المكوس قسيمة
Execution,إعدام
Executive Search,البحث التنفيذي
Exemption Limit,إعفاء الحد
@ -1326,7 +1326,7 @@ Invoice Period From,الفترة من الفاتورة
Invoice Period From and Invoice Period To dates mandatory for recurring invoice,الفترة من الفاتورة و الفاتورة ل فترة مواعيد إلزامية ل فاتورة المتكررة
Invoice Period To,فترة الفاتورة ل
Invoice Type,نوع الفاتورة
Invoice/Journal Voucher Details,فاتورة / مجلة قسيمة تفاصيل
Invoice/Journal Entry Details,فاتورة / مجلة قسيمة تفاصيل
Invoiced Amount (Exculsive Tax),المبلغ فواتير ( Exculsive الضرائب )
Is Active,نشط
Is Advance,هو المقدمة
@ -1456,11 +1456,11 @@ Job Title,المسمى الوظيفي
Jobs Email Settings,إعدادات البريد الإلكتروني وظائف
Journal Entries,مجلة مقالات
Journal Entry,إدخال دفتر اليومية
Journal Voucher,مجلة قسيمة
Journal Entry,مجلة قسيمة
Journal Entry Account,مجلة قسيمة التفاصيل
Journal Entry Account No,مجلة التفاصيل قسيمة لا
Journal Voucher {0} does not have account {1} or already matched,مجلة قسيمة {0} لا يملك حساب {1} أو بالفعل المتطابقة
Journal Vouchers {0} are un-linked,مجلة قسائم {0} ترتبط الامم المتحدة و
Journal Entry {0} does not have account {1} or already matched,مجلة قسيمة {0} لا يملك حساب {1} أو بالفعل المتطابقة
Journal Entries {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,مفتاح الأداء المنطقة
@ -1575,7 +1575,7 @@ Maintenance start date can not be before delivery date for Serial No {0},صيا
Major/Optional Subjects,الرئيسية / اختياري الموضوعات
Make ,Make
Make Accounting Entry For Every Stock Movement,جعل الدخول المحاسبة للحصول على كل حركة الأسهم
Make Bank Voucher,جعل قسيمة البنك
Make Bank Entry,جعل قسيمة البنك
Make Credit Note,جعل الائتمان ملاحظة
Make Debit Note,ملاحظة جعل الخصم
Make Delivery,جعل التسليم
@ -3095,7 +3095,7 @@ Update Series,تحديث سلسلة
Update Series Number,تحديث سلسلة رقم
Update Stock,تحديث الأسهم
Update bank payment dates with journals.,تحديث البنك دفع التواريخ مع المجلات.
Update clearance date of Journal Entries marked as 'Bank Vouchers',تاريخ التخليص تحديث إدخالات دفتر اليومية وضعت ' قسائم البنك
Update clearance date of Journal Entries marked as 'Bank Entry',تاريخ التخليص تحديث إدخالات دفتر اليومية وضعت ' قسائم البنك
Updated,تحديث
Updated Birthday Reminders,تحديث ميلاد تذكير
Upload Attendance,تحميل الحضور
@ -3233,7 +3233,7 @@ Write Off Amount <=,شطب المبلغ &lt;=
Write Off Based On,شطب بناء على
Write Off Cost Center,شطب مركز التكلفة
Write Off Outstanding Amount,شطب المبلغ المستحق
Write Off Voucher,شطب قسيمة
Write Off Entry,شطب قسيمة
Wrong Template: Unable to find head row.,قالب الخطأ: تعذر العثور على صف الرأس.
Year,عام
Year Closed,مغلق العام
@ -3251,7 +3251,7 @@ You can enter any date manually,يمكنك إدخال أي تاريخ يدويا
You can enter the minimum quantity of this item to be ordered.,يمكنك إدخال كمية الحد الأدنى في هذا البند إلى أن يؤمر.
You can not change rate if BOM mentioned agianst any item,لا يمكنك تغيير معدل إذا ذكر BOM agianst أي بند
You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,لا يمكنك إدخال كل من التسليم ملاحظة لا و الفاتورة رقم المبيع الرجاء إدخال أي واحد .
You can not enter current voucher in 'Against Journal Voucher' column,لا يمكنك إدخال قسيمة الحالي في ' ضد مجلة قسيمة ' العمود
You can not enter current voucher in 'Against Journal Entry' column,لا يمكنك إدخال قسيمة الحالي في ' ضد مجلة قسيمة ' العمود
You can set Default Bank Account in Company master,يمكنك تعيين الافتراضي الحساب المصرفي الرئيسي في الشركة
You can start by selecting backup frequency and granting access for sync,يمكنك أن تبدأ من خلال تحديد تردد النسخ الاحتياطي و منح الوصول لمزامنة
You can submit this Stock Reconciliation.,يمكنك تقديم هذه الأسهم المصالحة .

1 and year: والسنة:
151 Against Document No ضد الوثيقة رقم
152 Against Expense Account ضد حساب المصاريف
153 Against Income Account ضد حساب الدخل
154 Against Journal Voucher Against Journal Entry ضد مجلة قسيمة
155 Against Journal Voucher {0} does not have any unmatched {1} entry Against Journal Entry {0} does not have any unmatched {1} entry ضد مجلة قسيمة {0} لا يملك أي لا مثيل له {1} دخول
156 Against Purchase Invoice ضد فاتورة الشراء
157 Against Sales Invoice ضد فاتورة المبيعات
158 Against Sales Order ضد ترتيب المبيعات
334 Bank Reconciliation تسوية البنك
335 Bank Reconciliation Detail تفاصيل تسوية البنك
336 Bank Reconciliation Statement بيان تسوية البنك
337 Bank Voucher Bank Entry البنك قسيمة
338 Bank/Cash Balance بنك / النقد وما في حكمه
339 Banking مصرفي
340 Barcode الباركود
469 Case No. cannot be 0 القضية رقم لا يمكن أن يكون 0
470 Cash نقد
471 Cash In Hand نقد في الصندوق
472 Cash Voucher Cash Entry قسيمة نقدية
473 Cash or Bank Account is mandatory for making payment entry نقدا أو الحساب المصرفي إلزامي لجعل الدخول الدفع
474 Cash/Bank Account النقد / البنك حساب
475 Casual Leave عارضة اترك
593 Contacts اتصالات
594 Content محتوى
595 Content Type نوع المحتوى
596 Contra Voucher Contra Entry كونترا قسيمة
597 Contract عقد
598 Contract End Date تاريخ نهاية العقد
599 Contract End Date must be greater than Date of Joining يجب أن يكون تاريخ الانتهاء العقد أكبر من تاريخ الالتحاق بالعمل
624 Country Name الاسم الدولة
625 Country wise default Address Templates قوالب بلد الحكمة العنوان الافتراضي
626 Country, Timezone and Currency البلد، المنطقة الزمنية و العملة
627 Create Bank Voucher for the total salary paid for the above selected criteria Create Bank Entry for the total salary paid for the above selected criteria إنشاء بنك للقسيمة الراتب الإجمالي المدفوع للاختيار المعايير المذكورة أعلاه
628 Create Customer خلق العملاء
629 Create Material Requests إنشاء طلبات المواد
630 Create New خلق جديد
646 Credit ائتمان
647 Credit Amt الائتمان AMT
648 Credit Card بطاقة إئتمان
649 Credit Card Voucher Credit Card Entry بطاقة الائتمان قسيمة
650 Credit Controller المراقب الائتمان
651 Credit Days الائتمان أيام
652 Credit Limit الحد الائتماني
978 Excise Duty Edu Cess 2 المكوس واجب ايدو سيس 2
979 Excise Duty SHE Cess 1 المكوس واجب SHE سيس 1
980 Excise Page Number المكوس رقم الصفحة
981 Excise Voucher Excise Entry المكوس قسيمة
982 Execution إعدام
983 Executive Search البحث التنفيذي
984 Exemption Limit إعفاء الحد
1326 Invoice Period From and Invoice Period To dates mandatory for recurring invoice الفترة من الفاتورة و الفاتورة ل فترة مواعيد إلزامية ل فاتورة المتكررة
1327 Invoice Period To فترة الفاتورة ل
1328 Invoice Type نوع الفاتورة
1329 Invoice/Journal Voucher Details Invoice/Journal Entry Details فاتورة / مجلة قسيمة تفاصيل
1330 Invoiced Amount (Exculsive Tax) المبلغ فواتير ( Exculsive الضرائب )
1331 Is Active نشط
1332 Is Advance هو المقدمة
1456 Jobs Email Settings إعدادات البريد الإلكتروني وظائف
1457 Journal Entries مجلة مقالات
1458 Journal Entry إدخال دفتر اليومية
1459 Journal Voucher Journal Entry مجلة قسيمة
1460 Journal Entry Account مجلة قسيمة التفاصيل
1461 Journal Entry Account No مجلة التفاصيل قسيمة لا
1462 Journal Voucher {0} does not have account {1} or already matched Journal Entry {0} does not have account {1} or already matched مجلة قسيمة {0} لا يملك حساب {1} أو بالفعل المتطابقة
1463 Journal Vouchers {0} are un-linked Journal Entries {0} are un-linked مجلة قسائم {0} ترتبط الامم المتحدة و
1464 Keep a track of communication related to this enquiry which will help for future reference. الحفاظ على مسار الاتصالات المتعلقة بهذا التحقيق والتي سوف تساعد للرجوع إليها مستقبلا.
1465 Keep it web friendly 900px (w) by 100px (h) يبقيه على شبكة الإنترنت 900px دية ( ث ) من قبل 100px (ح )
1466 Key Performance Area مفتاح الأداء المنطقة
1575 Major/Optional Subjects الرئيسية / اختياري الموضوعات
1576 Make Make
1577 Make Accounting Entry For Every Stock Movement جعل الدخول المحاسبة للحصول على كل حركة الأسهم
1578 Make Bank Voucher Make Bank Entry جعل قسيمة البنك
1579 Make Credit Note جعل الائتمان ملاحظة
1580 Make Debit Note ملاحظة جعل الخصم
1581 Make Delivery جعل التسليم
3095 Update Series Number تحديث سلسلة رقم
3096 Update Stock تحديث الأسهم
3097 Update bank payment dates with journals. تحديث البنك دفع التواريخ مع المجلات.
3098 Update clearance date of Journal Entries marked as 'Bank Vouchers' Update clearance date of Journal Entries marked as 'Bank Entry' تاريخ التخليص تحديث إدخالات دفتر اليومية وضعت ' قسائم البنك
3099 Updated تحديث
3100 Updated Birthday Reminders تحديث ميلاد تذكير
3101 Upload Attendance تحميل الحضور
3233 Write Off Based On شطب بناء على
3234 Write Off Cost Center شطب مركز التكلفة
3235 Write Off Outstanding Amount شطب المبلغ المستحق
3236 Write Off Voucher Write Off Entry شطب قسيمة
3237 Wrong Template: Unable to find head row. قالب الخطأ: تعذر العثور على صف الرأس.
3238 Year عام
3239 Year Closed مغلق العام
3251 You can enter the minimum quantity of this item to be ordered. يمكنك إدخال كمية الحد الأدنى في هذا البند إلى أن يؤمر.
3252 You can not change rate if BOM mentioned agianst any item لا يمكنك تغيير معدل إذا ذكر BOM agianst أي بند
3253 You can not enter both Delivery Note No and Sales Invoice No. Please enter any one. لا يمكنك إدخال كل من التسليم ملاحظة لا و الفاتورة رقم المبيع الرجاء إدخال أي واحد .
3254 You can not enter current voucher in 'Against Journal Voucher' column You can not enter current voucher in 'Against Journal Entry' column لا يمكنك إدخال قسيمة الحالي في ' ضد مجلة قسيمة ' العمود
3255 You can set Default Bank Account in Company master يمكنك تعيين الافتراضي الحساب المصرفي الرئيسي في الشركة
3256 You can start by selecting backup frequency and granting access for sync يمكنك أن تبدأ من خلال تحديد تردد النسخ الاحتياطي و منح الوصول لمزامنة
3257 You can submit this Stock Reconciliation. يمكنك تقديم هذه الأسهم المصالحة .

View File

@ -166,8 +166,8 @@ Against Document Detail No,Gegen Dokumentendetail Nr.
Against Document No,Gegen Dokument Nr.
Against Expense Account,Gegen Aufwandskonto
Against Income Account,Gegen Einkommenskonto
Against Journal Voucher,Gegen Journalgutschein
Against Journal Voucher {0} does not have any unmatched {1} entry,Vor Blatt Gutschein {0} keine unerreichte {1} Eintrag haben
Against Journal Entry,Gegen Journalgutschein
Against Journal Entry {0} does not have any unmatched {1} entry,Vor Blatt Gutschein {0} keine unerreichte {1} Eintrag haben
Against Purchase Invoice,Gegen Einkaufsrechnung
Against Sales Invoice,Gegen Verkaufsrechnung
Against Sales Order,Vor Sales Order
@ -357,7 +357,7 @@ Bank Overdraft Account,Kontokorrentkredit Konto
Bank Reconciliation,Kontenabstimmung
Bank Reconciliation Detail,Kontenabstimmungsdetail
Bank Reconciliation Statement,Kontenabstimmungsauszug
Bank Voucher,Bankbeleg
Bank Entry,Bankbeleg
Bank/Cash Balance,Bank-/Bargeldsaldo
Banking,Bankwesen
Barcode,Barcode
@ -495,7 +495,7 @@ Case No(s) already in use. Try from Case No {0},"Fall Nr. (n) bereits im Einsatz
Case No. cannot be 0,Fall Nr. kann nicht 0 sein
Cash,Bargeld
Cash In Hand,Bargeld in der Hand
Cash Voucher,Kassenbeleg
Cash Entry,Kassenbeleg
Cash or Bank Account is mandatory for making payment entry,Barzahlung oder Bankkonto ist für die Zahlung Eintrag
Cash/Bank Account,Kassen-/Bankkonto
Casual Leave,Lässige Leave
@ -624,7 +624,7 @@ Contact master.,Kontakt Master.
Contacts,Impressum
Content,Inhalt
Content Type,Inhaltstyp
Contra Voucher,Gegen Gutschein
Contra Entry,Gegen Gutschein
Contract,Vertrag
Contract End Date,Vertragsende
Contract End Date must be greater than Date of Joining,Vertragsende muss größer sein als Datum für Füge sein
@ -656,7 +656,7 @@ Country Name,Ländername
Country wise default Address Templates,Land weise Standardadressvorlagen
"Country, Timezone and Currency","Land , Zeitzone und Währung"
Cr,Cr
Create Bank Voucher for the total salary paid for the above selected criteria,Bankgutschein für das Gesamtgehalt nach den oben ausgewählten Kriterien erstellen
Create Bank Entry for the total salary paid for the above selected criteria,Bankgutschein für das Gesamtgehalt nach den oben ausgewählten Kriterien erstellen
Create Customer,Neues Kunden
Create Material Requests,Materialanfragen erstellen
Create New,Neu erstellen
@ -679,7 +679,7 @@ Credentials,Anmeldeinformationen
Credit,Guthaben
Credit Amt,Guthabenbetrag
Credit Card,Kreditkarte
Credit Card Voucher,Kreditkarten-Gutschein
Credit Card Entry,Kreditkarten-Gutschein
Credit Controller,Kredit-Controller
Credit Days,Kredittage
Credit Limit,Kreditlimit
@ -1021,7 +1021,7 @@ Excise Duty @ 8,Verbrauchsteuer @ 8
Excise Duty Edu Cess 2,Verbrauchsteuer Edu Cess 2
Excise Duty SHE Cess 1,Verbrauchsteuer SHE Cess 1
Excise Page Number,Seitenzahl ausschneiden
Excise Voucher,Gutschein ausschneiden
Excise Entry,Gutschein ausschneiden
Execution,Ausführung
Executive Search,Executive Search
Exhibition,Ausstellung
@ -1376,7 +1376,7 @@ Invoice Details,Rechnungsdetails
Invoice No,Rechnungs-Nr.
Invoice Number,Rechnungsnummer
Invoice Type,Rechnungstyp
Invoice/Journal Voucher Details,Rechnung / Journal Gutschein-Details
Invoice/Journal Entry Details,Rechnung / Journal Gutschein-Details
Invoiced Amount (Exculsive Tax),Rechnungsbetrag ( Exculsive MwSt.)
Is Active,Ist aktiv
Is Advance,Ist Voraus
@ -1512,11 +1512,11 @@ Job Title,Stellenbezeichnung
Jobs Email Settings,Stellen-E-Mail-Einstellungen
Journal Entries,Journaleinträge
Journal Entry,Journaleintrag
Journal Voucher,Journal
Journal Entry,Journal
Journal Entry Account,Detailansicht Beleg
Journal Entry Account No,Journalnummer
Journal Voucher {0} does not have account {1} or already matched,Blatt Gutschein {0} ist nicht Konto haben {1} oder bereits abgestimmt
Journal Vouchers {0} are un-linked,Blatt Gutscheine {0} sind un -linked
Journal Entry {0} does not have account {1} or already matched,Blatt Gutschein {0} ist nicht Konto haben {1} oder bereits abgestimmt
Journal Entries {0} are un-linked,Blatt Gutscheine {0} sind un -linked
"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment. ","Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment. "
Keep a track of communication related to this enquiry which will help for future reference.,Kommunikation bezüglich dieser Anfrage für zukünftige Zwecke aufbewahren.
Keep it web friendly 900px (w) by 100px (h),"Bitte passende Größe für Webdarstellung wählen:
@ -1638,7 +1638,7 @@ Maintenance start date can not be before delivery date for Serial No {0},Wartung
Major/Optional Subjects,Wichtiger/optionaler Betreff
Make ,Make
Make Accounting Entry For Every Stock Movement,Machen Accounting Eintrag für jede Lagerbewegung
Make Bank Voucher,Bankbeleg erstellen
Make Bank Entry,Bankbeleg erstellen
Make Credit Note,Gutschrift erstellen
Make Debit Note,Lastschrift erstellen
Make Delivery,Lieferung erstellen
@ -3222,7 +3222,7 @@ Update Series Number,Seriennummer aktualisieren
Update Stock,Lagerbestand aktualisieren
Update additional costs to calculate landed cost of items,Aktualisieren Sie Zusatzkosten um die Einstandskosten des Artikels zu kalkulieren
Update bank payment dates with journals.,Aktualisierung der Konten mit Hilfe der Journaleinträge
Update clearance date of Journal Entries marked as 'Bank Vouchers',"Update- Clearance Datum der Journaleinträge als ""Bank Gutscheine 'gekennzeichnet"
Update clearance date of Journal Entries marked as 'Bank Entry',"Update- Clearance Datum der Journaleinträge als ""Bank Gutscheine 'gekennzeichnet"
Updated,Aktualisiert
Updated Birthday Reminders,Geburtstagserinnerungen aktualisiert
Upload Attendance,Teilnahme hochladen
@ -3362,7 +3362,7 @@ Write Off Amount <=,"Abschreiben, Betrag <="
Write Off Based On,Abschreiben basiert auf
Write Off Cost Center,"Abschreiben, Kostenstelle"
Write Off Outstanding Amount,"Abschreiben, ausstehender Betrag"
Write Off Voucher,"Abschreiben, Gutschein"
Write Off Entry,"Abschreiben, Gutschein"
Wrong Template: Unable to find head row.,Falsche Vorlage: Kopfzeile nicht gefunden
Year,Jahr
Year Closed,Jahr geschlossen
@ -3380,7 +3380,7 @@ You can enter any date manually,Sie können jedes Datum manuell eingeben
You can enter the minimum quantity of this item to be ordered.,"Sie können die Mindestmenge des Artikels eingeben, der bestellt werden soll."
You can not change rate if BOM mentioned agianst any item,"Sie können Rate nicht ändern, wenn BOM agianst jeden Artikel erwähnt"
You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,Sie können nicht sowohl Lieferschein Nein und Sales Invoice Nr. Bitte geben Sie eine beliebige .
You can not enter current voucher in 'Against Journal Voucher' column,"Sie können keine aktuellen Gutschein in ""Gegen Blatt Gutschein -Spalte"
You can not enter current voucher in 'Against Journal Entry' column,"Sie können keine aktuellen Gutschein in ""Gegen Blatt Gutschein -Spalte"
You can set Default Bank Account in Company master,Sie können Standard- Bank-Konto in Firmen Master eingestellt
You can start by selecting backup frequency and granting access for sync,Sie können durch Auswahl Backup- Frequenz und den Zugang für die Gewährung Sync starten
You can submit this Stock Reconciliation.,Sie können diese Vektor Versöhnung vorzulegen.

1 (Half Day) (Halber Tag)
166 Against Document No Gegen Dokument Nr.
167 Against Expense Account Gegen Aufwandskonto
168 Against Income Account Gegen Einkommenskonto
169 Against Journal Voucher Against Journal Entry Gegen Journalgutschein
170 Against Journal Voucher {0} does not have any unmatched {1} entry Against Journal Entry {0} does not have any unmatched {1} entry Vor Blatt Gutschein {0} keine unerreichte {1} Eintrag haben
171 Against Purchase Invoice Gegen Einkaufsrechnung
172 Against Sales Invoice Gegen Verkaufsrechnung
173 Against Sales Order Vor Sales Order
357 Bank Reconciliation Kontenabstimmung
358 Bank Reconciliation Detail Kontenabstimmungsdetail
359 Bank Reconciliation Statement Kontenabstimmungsauszug
360 Bank Voucher Bank Entry Bankbeleg
361 Bank/Cash Balance Bank-/Bargeldsaldo
362 Banking Bankwesen
363 Barcode Barcode
495 Case No. cannot be 0 Fall Nr. kann nicht 0 sein
496 Cash Bargeld
497 Cash In Hand Bargeld in der Hand
498 Cash Voucher Cash Entry Kassenbeleg
499 Cash or Bank Account is mandatory for making payment entry Barzahlung oder Bankkonto ist für die Zahlung Eintrag
500 Cash/Bank Account Kassen-/Bankkonto
501 Casual Leave Lässige Leave
624 Contacts Impressum
625 Content Inhalt
626 Content Type Inhaltstyp
627 Contra Voucher Contra Entry Gegen Gutschein
628 Contract Vertrag
629 Contract End Date Vertragsende
630 Contract End Date must be greater than Date of Joining Vertragsende muss größer sein als Datum für Füge sein
656 Country wise default Address Templates Land weise Standardadressvorlagen
657 Country, Timezone and Currency Land , Zeitzone und Währung
658 Cr Cr
659 Create Bank Voucher for the total salary paid for the above selected criteria Create Bank Entry for the total salary paid for the above selected criteria Bankgutschein für das Gesamtgehalt nach den oben ausgewählten Kriterien erstellen
660 Create Customer Neues Kunden
661 Create Material Requests Materialanfragen erstellen
662 Create New Neu erstellen
679 Credit Guthaben
680 Credit Amt Guthabenbetrag
681 Credit Card Kreditkarte
682 Credit Card Voucher Credit Card Entry Kreditkarten-Gutschein
683 Credit Controller Kredit-Controller
684 Credit Days Kredittage
685 Credit Limit Kreditlimit
1021 Excise Duty Edu Cess 2 Verbrauchsteuer Edu Cess 2
1022 Excise Duty SHE Cess 1 Verbrauchsteuer SHE Cess 1
1023 Excise Page Number Seitenzahl ausschneiden
1024 Excise Voucher Excise Entry Gutschein ausschneiden
1025 Execution Ausführung
1026 Executive Search Executive Search
1027 Exhibition Ausstellung
1376 Invoice No Rechnungs-Nr.
1377 Invoice Number Rechnungsnummer
1378 Invoice Type Rechnungstyp
1379 Invoice/Journal Voucher Details Invoice/Journal Entry Details Rechnung / Journal Gutschein-Details
1380 Invoiced Amount (Exculsive Tax) Rechnungsbetrag ( Exculsive MwSt.)
1381 Is Active Ist aktiv
1382 Is Advance Ist Voraus
1512 Jobs Email Settings Stellen-E-Mail-Einstellungen
1513 Journal Entries Journaleinträge
1514 Journal Entry Journaleintrag
1515 Journal Voucher Journal Entry Journal
1516 Journal Entry Account Detailansicht Beleg
1517 Journal Entry Account No Journalnummer
1518 Journal Voucher {0} does not have account {1} or already matched Journal Entry {0} does not have account {1} or already matched Blatt Gutschein {0} ist nicht Konto haben {1} oder bereits abgestimmt
1519 Journal Vouchers {0} are un-linked Journal Entries {0} are un-linked Blatt Gutscheine {0} sind un -linked
1520 Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment. Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.
1521 Keep a track of communication related to this enquiry which will help for future reference. Kommunikation bezüglich dieser Anfrage für zukünftige Zwecke aufbewahren.
1522 Keep it web friendly 900px (w) by 100px (h) Bitte passende Größe für Webdarstellung wählen: 900 Pixel breite und 100 Pixel Höhe
1638 Make Make
1639 Make Accounting Entry For Every Stock Movement Machen Accounting Eintrag für jede Lagerbewegung
1640 Make Bank Voucher Make Bank Entry Bankbeleg erstellen
1641 Make Credit Note Gutschrift erstellen
1642 Make Debit Note Lastschrift erstellen
1643 Make Delivery Lieferung erstellen
1644 Make Difference Entry Differenzeintrag erstellen
3222 Update additional costs to calculate landed cost of items Aktualisieren Sie Zusatzkosten um die Einstandskosten des Artikels zu kalkulieren
3223 Update bank payment dates with journals. Aktualisierung der Konten mit Hilfe der Journaleinträge
3224 Update clearance date of Journal Entries marked as 'Bank Vouchers' Update clearance date of Journal Entries marked as 'Bank Entry' Update- Clearance Datum der Journaleinträge als "Bank Gutscheine 'gekennzeichnet
3225 Updated Aktualisiert
3226 Updated Birthday Reminders Geburtstagserinnerungen aktualisiert
3227 Upload Attendance Teilnahme hochladen
3228 Upload Backups to Dropbox Backups in Dropbox hochladen
3362 Write Off Cost Center Abschreiben, Kostenstelle
3363 Write Off Outstanding Amount Abschreiben, ausstehender Betrag
3364 Write Off Voucher Write Off Entry Abschreiben, Gutschein
3365 Wrong Template: Unable to find head row. Falsche Vorlage: Kopfzeile nicht gefunden
3366 Year Jahr
3367 Year Closed Jahr geschlossen
3368 Year End Date Jahr Endedatum
3380 You can not change rate if BOM mentioned agianst any item Sie können Rate nicht ändern, wenn BOM agianst jeden Artikel erwähnt
3381 You can not enter both Delivery Note No and Sales Invoice No. Please enter any one. Sie können nicht sowohl Lieferschein Nein und Sales Invoice Nr. Bitte geben Sie eine beliebige .
3382 You can not enter current voucher in 'Against Journal Voucher' column You can not enter current voucher in 'Against Journal Entry' column Sie können keine aktuellen Gutschein in "Gegen Blatt Gutschein -Spalte
3383 You can set Default Bank Account in Company master Sie können Standard- Bank-Konto in Firmen Master eingestellt
3384 You can start by selecting backup frequency and granting access for sync Sie können durch Auswahl Backup- Frequenz und den Zugang für die Gewährung Sync starten
3385 You can submit this Stock Reconciliation. Sie können diese Vektor Versöhnung vorzulegen.
3386 You can update either Quantity or Valuation Rate or both. Sie können entweder Menge oder Bewertungs bewerten oder beides aktualisieren.

View File

@ -152,8 +152,8 @@ Against Document Detail No,Ενάντια Λεπτομέρεια έγγραφο
Against Document No,Ενάντια έγγραφο αριθ.
Against Expense Account,Ενάντια Λογαριασμός Εξόδων
Against Income Account,Έναντι του λογαριασμού εισοδήματος
Against Journal Voucher,Ενάντια Voucher Εφημερίδα
Against Journal Voucher {0} does not have any unmatched {1} entry,Ενάντια Εφημερίδα Voucher {0} δεν έχει ταίρι {1} εισόδου
Against Journal Entry,Ενάντια Voucher Εφημερίδα
Against Journal Entry {0} does not have any unmatched {1} entry,Ενάντια Εφημερίδα Voucher {0} δεν έχει ταίρι {1} εισόδου
Against Purchase Invoice,Έναντι τιμολογίου αγοράς
Against Sales Invoice,Ενάντια Πωλήσεις Τιμολόγιο
Against Sales Order,Ενάντια Πωλήσεις Τάξης
@ -335,7 +335,7 @@ Bank Overdraft Account,Τραπεζικού λογαριασμού υπεραν
Bank Reconciliation,Τράπεζα Συμφιλίωση
Bank Reconciliation Detail,Τράπεζα Λεπτομέρεια Συμφιλίωση
Bank Reconciliation Statement,Τράπεζα Δήλωση Συμφιλίωση
Bank Voucher,Voucher Bank
Bank Entry,Voucher Bank
Bank/Cash Balance,Τράπεζα / Cash Balance
Banking,Banking
Barcode,Barcode
@ -470,7 +470,7 @@ Case No(s) already in use. Try from Case No {0},Υπόθεση ( ες ) που
Case No. cannot be 0,Υπόθεση αριθ. δεν μπορεί να είναι 0
Cash,Μετρητά
Cash In Hand,Μετρητά στο χέρι
Cash Voucher,Ταμειακό παραστατικό
Cash Entry,Ταμειακό παραστατικό
Cash or Bank Account is mandatory for making payment entry,Μετρητά ή τραπεζικός λογαριασμός είναι υποχρεωτική για την κατασκευή εισόδου πληρωμής
Cash/Bank Account,Μετρητά / Τραπεζικό Λογαριασμό
Casual Leave,Casual Αφήστε
@ -594,7 +594,7 @@ Contact master.,Πλοίαρχος επικοινωνίας.
Contacts,Επαφές
Content,Περιεχόμενο
Content Type,Τύπος περιεχομένου
Contra Voucher,Contra Voucher
Contra Entry,Contra Entry
Contract,σύμβαση
Contract End Date,Σύμβαση Ημερομηνία Λήξης
Contract End Date must be greater than Date of Joining,"Ημερομηνία λήξης της σύμβασης πρέπει να είναι μεγαλύτερη από ό, τι Ημερομηνία Ενώνουμε"
@ -625,7 +625,7 @@ Country,Χώρα
Country Name,Όνομα Χώρα
Country wise default Address Templates,Χώρα σοφός default Διεύθυνση Πρότυπα
"Country, Timezone and Currency","Χώρα , Χρονική ζώνη και Συνάλλαγμα"
Create Bank Voucher for the total salary paid for the above selected criteria,Δημιουργία Voucher Τράπεζας για το σύνολο του μισθού που καταβάλλεται για τις επιλεγμένες παραπάνω κριτήρια
Create Bank Entry for the total salary paid for the above selected criteria,Δημιουργία Voucher Τράπεζας για το σύνολο του μισθού που καταβάλλεται για τις επιλεγμένες παραπάνω κριτήρια
Create Customer,Δημιουργία Πελάτη
Create Material Requests,Δημιουργία Αιτήσεις Υλικό
Create New,Δημιουργία νέου
@ -647,7 +647,7 @@ Credentials,Διαπιστευτήρια
Credit,Πίστωση
Credit Amt,Credit Amt
Credit Card,Πιστωτική Κάρτα
Credit Card Voucher,Πιστωτική Κάρτα Voucher
Credit Card Entry,Πιστωτική Κάρτα Voucher
Credit Controller,Credit Controller
Credit Days,Ημέρες Credit
Credit Limit,Όριο Πίστωσης
@ -979,7 +979,7 @@ Excise Duty @ 8,Ειδικού φόρου κατανάλωσης @ 8
Excise Duty Edu Cess 2,Excise Duty Edu Cess 2
Excise Duty SHE Cess 1,Excise Duty SHE Cess 1
Excise Page Number,Excise Αριθμός σελίδας
Excise Voucher,Excise Voucher
Excise Entry,Excise Entry
Execution,εκτέλεση
Executive Search,Executive Search
Exemption Limit,Όριο απαλλαγής
@ -1327,7 +1327,7 @@ Invoice Period From,Τιμολόγιο Περίοδος Από
Invoice Period From and Invoice Period To dates mandatory for recurring invoice,Τιμολόγιο Περίοδος Από και Τιμολόγιο Περίοδος Προς ημερομηνίες υποχρεωτική για επαναλαμβανόμενες τιμολόγιο
Invoice Period To,Τιμολόγιο Περίοδος να
Invoice Type,Τιμολόγιο Τύπος
Invoice/Journal Voucher Details,Τιμολόγιο / Εφημερίδα Voucher Λεπτομέρειες
Invoice/Journal Entry Details,Τιμολόγιο / Εφημερίδα Voucher Λεπτομέρειες
Invoiced Amount (Exculsive Tax),Ποσό τιμολόγησης ( exculsive ΦΠΑ)
Is Active,Είναι ενεργός
Is Advance,Είναι Advance
@ -1457,11 +1457,11 @@ Job Title,Τίτλος εργασίας
Jobs Email Settings,Εργασία Ρυθμίσεις Email
Journal Entries,Εφημερίδα Καταχωρήσεις
Journal Entry,Journal Entry
Journal Voucher,Εφημερίδα Voucher
Journal Entry,Εφημερίδα Voucher
Journal Entry Account,Εφημερίδα Λεπτομέρεια Voucher
Journal Entry Account No,Εφημερίδα Λεπτομέρεια φύλλου αριθ.
Journal Voucher {0} does not have account {1} or already matched,Εφημερίδα Voucher {0} δεν έχει λογαριασμό {1} ή έχουν ήδη συμφωνημένα
Journal Vouchers {0} are un-linked,Εφημερίδα Κουπόνια {0} είναι μη συνδεδεμένο
Journal Entry {0} does not have account {1} or already matched,Εφημερίδα Voucher {0} δεν έχει λογαριασμό {1} ή έχουν ήδη συμφωνημένα
Journal Entries {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),Φροντίστε να είναι φιλικό web 900px ( w ) από 100px ( h )
Key Performance Area,Βασικά Επιδόσεων
@ -1576,7 +1576,7 @@ Maintenance start date can not be before delivery date for Serial No {0},Ημε
Major/Optional Subjects,Σημαντικές / προαιρετικά μαθήματα
Make ,Make
Make Accounting Entry For Every Stock Movement,Κάντε Λογιστική καταχώρηση για κάθε Κίνημα Χρηματιστήριο
Make Bank Voucher,Κάντε Voucher Bank
Make Bank Entry,Κάντε Voucher Bank
Make Credit Note,Κάντε Πιστωτικό Σημείωμα
Make Debit Note,Κάντε χρεωστικό σημείωμα
Make Delivery,Κάντε Παράδοση
@ -3096,7 +3096,7 @@ Update Series,Ενημέρωση Series
Update Series Number,Ενημέρωση Αριθμός Σειράς
Update Stock,Ενημέρωση Χρηματιστήριο
Update bank payment dates with journals.,Ενημέρωση τράπεζα ημερομηνίες πληρωμής με περιοδικά.
Update clearance date of Journal Entries marked as 'Bank Vouchers',Ενημέρωση ημερομηνία εκκαθάρισης της Εφημερίδας των εγγραφών που χαρακτηρίζονται ως « Τράπεζα Κουπόνια »
Update clearance date of Journal Entries marked as 'Bank Entry',Ενημέρωση ημερομηνία εκκαθάρισης της Εφημερίδας των εγγραφών που χαρακτηρίζονται ως « Τράπεζα Κουπόνια »
Updated,Ενημέρωση
Updated Birthday Reminders,Ενημερώθηκε Υπενθυμίσεις γενεθλίων
Upload Attendance,Ανεβάστε Συμμετοχή
@ -3234,7 +3234,7 @@ Write Off Amount <=,Γράψτε Εφάπαξ Ποσό &lt;=
Write Off Based On,Γράψτε Off βάση την
Write Off Cost Center,Γράψτε Off Κέντρο Κόστους
Write Off Outstanding Amount,Γράψτε Off οφειλόμενο ποσό
Write Off Voucher,Γράψτε Off Voucher
Write Off Entry,Γράψτε Off Voucher
Wrong Template: Unable to find head row.,Λάθος Πρότυπο: Ανίκανος να βρει γραμμή κεφάλι.
Year,Έτος
Year Closed,Έτους που έκλεισε
@ -3252,7 +3252,7 @@ You can enter any date manually,Μπορείτε να εισάγετε οποι
You can enter the minimum quantity of this item to be ordered.,Μπορείτε να εισάγετε την ελάχιστη ποσότητα αυτού του στοιχείου που πρέπει να καταδικαστεί.
You can not change rate if BOM mentioned agianst any item,"Δεν μπορείτε να αλλάξετε ρυθμό , αν BOM αναφέρεται agianst οποιοδήποτε στοιχείο"
You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,Δεν μπορείτε να εισάγετε δύο Παράδοση Σημείωση Όχι και Τιμολόγιο Πώλησης Νο Παρακαλώ εισάγετε κάθε μία .
You can not enter current voucher in 'Against Journal Voucher' column,Δεν μπορείτε να εισάγετε την τρέχουσα κουπόνι σε « Ενάντια Εφημερίδα Voucher της στήλης
You can not enter current voucher in 'Against Journal Entry' column,Δεν μπορείτε να εισάγετε την τρέχουσα κουπόνι σε « Ενάντια Εφημερίδα Voucher της στήλης
You can set Default Bank Account in Company master,Μπορείτε να ρυθμίσετε Προεπιλογή Τραπεζικού Λογαριασμού στην Εταιρεία πλοίαρχος
You can start by selecting backup frequency and granting access for sync,Μπορείτε να ξεκινήσετε επιλέγοντας τη συχνότητα δημιουργίας αντιγράφων ασφαλείας και την παροχή πρόσβασης για συγχρονισμό
You can submit this Stock Reconciliation.,Μπορείτε να υποβάλετε αυτό το Χρηματιστήριο Συμφιλίωση .

1 (Half Day) (Μισή ημέρα)
152 Against Document No Ενάντια έγγραφο αριθ.
153 Against Expense Account Ενάντια Λογαριασμός Εξόδων
154 Against Income Account Έναντι του λογαριασμού εισοδήματος
155 Against Journal Voucher Against Journal Entry Ενάντια Voucher Εφημερίδα
156 Against Journal Voucher {0} does not have any unmatched {1} entry Against Journal Entry {0} does not have any unmatched {1} entry Ενάντια Εφημερίδα Voucher {0} δεν έχει ταίρι {1} εισόδου
157 Against Purchase Invoice Έναντι τιμολογίου αγοράς
158 Against Sales Invoice Ενάντια Πωλήσεις Τιμολόγιο
159 Against Sales Order Ενάντια Πωλήσεις Τάξης
335 Bank Reconciliation Τράπεζα Συμφιλίωση
336 Bank Reconciliation Detail Τράπεζα Λεπτομέρεια Συμφιλίωση
337 Bank Reconciliation Statement Τράπεζα Δήλωση Συμφιλίωση
338 Bank Voucher Bank Entry Voucher Bank
339 Bank/Cash Balance Τράπεζα / Cash Balance
340 Banking Banking
341 Barcode Barcode
470 Case No. cannot be 0 Υπόθεση αριθ. δεν μπορεί να είναι 0
471 Cash Μετρητά
472 Cash In Hand Μετρητά στο χέρι
473 Cash Voucher Cash Entry Ταμειακό παραστατικό
474 Cash or Bank Account is mandatory for making payment entry Μετρητά ή τραπεζικός λογαριασμός είναι υποχρεωτική για την κατασκευή εισόδου πληρωμής
475 Cash/Bank Account Μετρητά / Τραπεζικό Λογαριασμό
476 Casual Leave Casual Αφήστε
594 Contacts Επαφές
595 Content Περιεχόμενο
596 Content Type Τύπος περιεχομένου
597 Contra Voucher Contra Entry Contra Voucher Contra Entry
598 Contract σύμβαση
599 Contract End Date Σύμβαση Ημερομηνία Λήξης
600 Contract End Date must be greater than Date of Joining Ημερομηνία λήξης της σύμβασης πρέπει να είναι μεγαλύτερη από ό, τι Ημερομηνία Ενώνουμε
625 Country Name Όνομα Χώρα
626 Country wise default Address Templates Χώρα σοφός default Διεύθυνση Πρότυπα
627 Country, Timezone and Currency Χώρα , Χρονική ζώνη και Συνάλλαγμα
628 Create Bank Voucher for the total salary paid for the above selected criteria Create Bank Entry for the total salary paid for the above selected criteria Δημιουργία Voucher Τράπεζας για το σύνολο του μισθού που καταβάλλεται για τις επιλεγμένες παραπάνω κριτήρια
629 Create Customer Δημιουργία Πελάτη
630 Create Material Requests Δημιουργία Αιτήσεις Υλικό
631 Create New Δημιουργία νέου
647 Credit Πίστωση
648 Credit Amt Credit Amt
649 Credit Card Πιστωτική Κάρτα
650 Credit Card Voucher Credit Card Entry Πιστωτική Κάρτα Voucher
651 Credit Controller Credit Controller
652 Credit Days Ημέρες Credit
653 Credit Limit Όριο Πίστωσης
979 Excise Duty Edu Cess 2 Excise Duty Edu Cess 2
980 Excise Duty SHE Cess 1 Excise Duty SHE Cess 1
981 Excise Page Number Excise Αριθμός σελίδας
982 Excise Voucher Excise Entry Excise Voucher Excise Entry
983 Execution εκτέλεση
984 Executive Search Executive Search
985 Exemption Limit Όριο απαλλαγής
1327 Invoice Period From and Invoice Period To dates mandatory for recurring invoice Τιμολόγιο Περίοδος Από και Τιμολόγιο Περίοδος Προς ημερομηνίες υποχρεωτική για επαναλαμβανόμενες τιμολόγιο
1328 Invoice Period To Τιμολόγιο Περίοδος να
1329 Invoice Type Τιμολόγιο Τύπος
1330 Invoice/Journal Voucher Details Invoice/Journal Entry Details Τιμολόγιο / Εφημερίδα Voucher Λεπτομέρειες
1331 Invoiced Amount (Exculsive Tax) Ποσό τιμολόγησης ( exculsive ΦΠΑ)
1332 Is Active Είναι ενεργός
1333 Is Advance Είναι Advance
1457 Jobs Email Settings Εργασία Ρυθμίσεις Email
1458 Journal Entries Εφημερίδα Καταχωρήσεις
1459 Journal Entry Journal Entry
1460 Journal Voucher Journal Entry Εφημερίδα Voucher
1461 Journal Entry Account Εφημερίδα Λεπτομέρεια Voucher
1462 Journal Entry Account No Εφημερίδα Λεπτομέρεια φύλλου αριθ.
1463 Journal Voucher {0} does not have account {1} or already matched Journal Entry {0} does not have account {1} or already matched Εφημερίδα Voucher {0} δεν έχει λογαριασμό {1} ή έχουν ήδη συμφωνημένα
1464 Journal Vouchers {0} are un-linked Journal Entries {0} are un-linked Εφημερίδα Κουπόνια {0} είναι μη συνδεδεμένο
1465 Keep a track of communication related to this enquiry which will help for future reference. Κρατήστε ένα κομμάτι της επικοινωνίας που σχετίζονται με την έρευνα αυτή που θα βοηθήσει για μελλοντική αναφορά.
1466 Keep it web friendly 900px (w) by 100px (h) Φροντίστε να είναι φιλικό web 900px ( w ) από 100px ( h )
1467 Key Performance Area Βασικά Επιδόσεων
1576 Major/Optional Subjects Σημαντικές / προαιρετικά μαθήματα
1577 Make Make
1578 Make Accounting Entry For Every Stock Movement Κάντε Λογιστική καταχώρηση για κάθε Κίνημα Χρηματιστήριο
1579 Make Bank Voucher Make Bank Entry Κάντε Voucher Bank
1580 Make Credit Note Κάντε Πιστωτικό Σημείωμα
1581 Make Debit Note Κάντε χρεωστικό σημείωμα
1582 Make Delivery Κάντε Παράδοση
3096 Update Series Number Ενημέρωση Αριθμός Σειράς
3097 Update Stock Ενημέρωση Χρηματιστήριο
3098 Update bank payment dates with journals. Ενημέρωση τράπεζα ημερομηνίες πληρωμής με περιοδικά.
3099 Update clearance date of Journal Entries marked as 'Bank Vouchers' Update clearance date of Journal Entries marked as 'Bank Entry' Ενημέρωση ημερομηνία εκκαθάρισης της Εφημερίδας των εγγραφών που χαρακτηρίζονται ως « Τράπεζα Κουπόνια »
3100 Updated Ενημέρωση
3101 Updated Birthday Reminders Ενημερώθηκε Υπενθυμίσεις γενεθλίων
3102 Upload Attendance Ανεβάστε Συμμετοχή
3234 Write Off Based On Γράψτε Off βάση την
3235 Write Off Cost Center Γράψτε Off Κέντρο Κόστους
3236 Write Off Outstanding Amount Γράψτε Off οφειλόμενο ποσό
3237 Write Off Voucher Write Off Entry Γράψτε Off Voucher
3238 Wrong Template: Unable to find head row. Λάθος Πρότυπο: Ανίκανος να βρει γραμμή κεφάλι.
3239 Year Έτος
3240 Year Closed Έτους που έκλεισε
3252 You can enter the minimum quantity of this item to be ordered. Μπορείτε να εισάγετε την ελάχιστη ποσότητα αυτού του στοιχείου που πρέπει να καταδικαστεί.
3253 You can not change rate if BOM mentioned agianst any item Δεν μπορείτε να αλλάξετε ρυθμό , αν BOM αναφέρεται agianst οποιοδήποτε στοιχείο
3254 You can not enter both Delivery Note No and Sales Invoice No. Please enter any one. Δεν μπορείτε να εισάγετε δύο Παράδοση Σημείωση Όχι και Τιμολόγιο Πώλησης Νο Παρακαλώ εισάγετε κάθε μία .
3255 You can not enter current voucher in 'Against Journal Voucher' column You can not enter current voucher in 'Against Journal Entry' column Δεν μπορείτε να εισάγετε την τρέχουσα κουπόνι σε « Ενάντια Εφημερίδα Voucher της στήλης
3256 You can set Default Bank Account in Company master Μπορείτε να ρυθμίσετε Προεπιλογή Τραπεζικού Λογαριασμού στην Εταιρεία πλοίαρχος
3257 You can start by selecting backup frequency and granting access for sync Μπορείτε να ξεκινήσετε επιλέγοντας τη συχνότητα δημιουργίας αντιγράφων ασφαλείας και την παροχή πρόσβασης για συγχρονισμό
3258 You can submit this Stock Reconciliation. Μπορείτε να υποβάλετε αυτό το Χρηματιστήριο Συμφιλίωση .

View File

@ -152,8 +152,8 @@ Against Document Detail No,Contra Detalle documento n
Against Document No,Contra el Documento No
Against Expense Account,Contra la Cuenta de Gastos
Against Income Account,Contra la Cuenta de Utilidad
Against Journal Voucher,Contra Comprobante de Diario
Against Journal Voucher {0} does not have any unmatched {1} entry,Contra Comprobante de Diario {0} aún no tiene {1} entrada asignada
Against Journal Entry,Contra Comprobante de Diario
Against Journal Entry {0} does not have any unmatched {1} entry,Contra Comprobante de Diario {0} aún no tiene {1} entrada asignada
Against Purchase Invoice,Contra la Factura de Compra
Against Sales Invoice,Contra la Factura de Venta
Against Sales Order,Contra la Orden de Venta
@ -335,7 +335,7 @@ Bank Overdraft Account,Cuenta Crédito en Cuenta Corriente
Bank Reconciliation,Conciliación Bancaria
Bank Reconciliation Detail,Detalle de Conciliación Bancaria
Bank Reconciliation Statement,Declaración de Conciliación Bancaria
Bank Voucher,Banco de Vales
Bank Entry,Banco de Vales
Bank/Cash Balance,Banco / Balance de Caja
Banking,Banca
Barcode,Código de Barras
@ -470,7 +470,7 @@ Case No(s) already in use. Try from Case No {0},Nº de Caso ya en uso. Intente N
Case No. cannot be 0,Nº de Caso no puede ser 0
Cash,Efectivo
Cash In Hand,Efectivo Disponible
Cash Voucher,Comprobante de Efectivo
Cash Entry,Comprobante de Efectivo
Cash or Bank Account is mandatory for making payment entry,Cuenta de Efectivo o Cuenta Bancaria es obligatoria para hacer una entrada de pago
Cash/Bank Account,Cuenta de Caja / Banco
Casual Leave,Permiso Temporal
@ -597,7 +597,7 @@ Contact master.,Contacto (principal).
Contacts,Contactos
Content,Contenido
Content Type,Tipo de Contenido
Contra Voucher,Contra Voucher
Contra Entry,Contra Entry
Contract,Contrato
Contract End Date,Fecha Fin de Contrato
Contract End Date must be greater than Date of Joining,La Fecha de Finalización de Contrato debe ser mayor que la Fecha de la Firma
@ -628,7 +628,7 @@ Country,País
Country Name,Nombre del país
Country wise default Address Templates,Plantillas País sabia dirección predeterminada
"Country, Timezone and Currency","País , Zona Horaria y Moneda"
Create Bank Voucher for the total salary paid for the above selected criteria,Cree Banco Vale para el salario total pagado por los criterios seleccionados anteriormente
Create Bank Entry for the total salary paid for the above selected criteria,Cree Banco Vale para el salario total pagado por los criterios seleccionados anteriormente
Create Customer,Crear cliente
Create Material Requests,Crear Solicitudes de Material
Create New,Crear Nuevo
@ -650,7 +650,7 @@ Credentials,cartas credenciales
Credit,Crédito
Credit Amt,crédito Amt
Credit Card,Tarjeta de Crédito
Credit Card Voucher,Vale la tarjeta de crédito
Credit Card Entry,Vale la tarjeta de crédito
Credit Controller,Credit Controller
Credit Days,Días de Crédito
Credit Limit,Límite de Crédito
@ -982,7 +982,7 @@ Excise Duty @ 8,Impuestos Especiales @ 8
Excise Duty Edu Cess 2,Impuestos Especiales Edu Cess 2
Excise Duty SHE Cess 1,Impuestos Especiales SHE Cess 1
Excise Page Number,Número Impuestos Especiales Página
Excise Voucher,vale de Impuestos Especiales
Excise Entry,vale de Impuestos Especiales
Execution,ejecución
Executive Search,Búsqueda de Ejecutivos
Exemption Limit,Límite de Exención
@ -1330,7 +1330,7 @@ Invoice Period From,Factura Periodo Del
Invoice Period From and Invoice Period To dates mandatory for recurring invoice,Factura Periodo Del Período y Factura Para las fechas obligatorias para la factura recurrente
Invoice Period To,Período Factura Para
Invoice Type,Tipo de Factura
Invoice/Journal Voucher Details,Detalles de Factura / Comprobante de Diario
Invoice/Journal Entry Details,Detalles de Factura / Comprobante de Diario
Invoiced Amount (Exculsive Tax),Cantidad facturada ( Impuesto exclusive )
Is Active,Está Activo
Is Advance,Es Avance
@ -1460,11 +1460,11 @@ Job Title,Título del trabajo
Jobs Email Settings,Trabajos Email
Journal Entries,entradas de diario
Journal Entry,Entrada de diario
Journal Voucher,Comprobante de Diario
Journal Entry,Comprobante de Diario
Journal Entry Account,Detalle del Asiento de Diario
Journal Entry Account No,Detalle del Asiento de Diario No
Journal Voucher {0} does not have account {1} or already matched,Comprobante de Diario {0} no tiene cuenta {1} o ya emparejado
Journal Vouchers {0} are un-linked,Asientos de Diario {0} no están vinculados.
Journal Entry {0} does not have account {1} or already matched,Comprobante de Diario {0} no tiene cuenta {1} o ya emparejado
Journal Entries {0} are un-linked,Asientos de Diario {0} no están vinculados.
Keep a track of communication related to this enquiry which will help for future reference.,Mantenga un registro de la comunicación en relación con esta consulta que ayudará para futuras consultas.
Keep it web friendly 900px (w) by 100px (h),Manténgalo adecuado para la web 900px ( w ) por 100px ( h )
Key Performance Area,Área Clave de Rendimiento
@ -1579,7 +1579,7 @@ Maintenance start date can not be before delivery date for Serial No {0},Manteni
Major/Optional Subjects,Principales / Asignaturas optativas
Make ,Hacer
Make Accounting Entry For Every Stock Movement,Hacer asiento contable para cada movimiento de acciones
Make Bank Voucher,Hacer Banco Voucher
Make Bank Entry,Hacer Banco Voucher
Make Credit Note,Hacer Nota de Crédito
Make Debit Note,Haga Nota de Débito
Make Delivery,Hacer Entrega
@ -3101,7 +3101,7 @@ Update Series,Series Update
Update Series Number,Actualización de los números de serie
Update Stock,Actualización de Stock
Update bank payment dates with journals.,Actualización de las fechas de pago del banco con las revistas .
Update clearance date of Journal Entries marked as 'Bank Vouchers',Fecha de despacho de actualización de entradas de diario marcado como ' Banco vales '
Update clearance date of Journal Entries marked as 'Bank Entry',Fecha de despacho de actualización de entradas de diario marcado como ' Banco vales '
Updated,actualizado
Updated Birthday Reminders,Actualizado Birthday Reminders
Upload Attendance,Subir Asistencia
@ -3239,7 +3239,7 @@ Write Off Amount <=,Escribe Off Importe < =
Write Off Based On,Escribe apagado basado en
Write Off Cost Center,Escribe Off Center Costo
Write Off Outstanding Amount,Escribe Off Monto Pendiente
Write Off Voucher,Escribe Off Voucher
Write Off Entry,Escribe Off Voucher
Wrong Template: Unable to find head row.,Plantilla incorrecto : no se puede encontrar la fila cabeza.
Year,Año
Year Closed,Año Cerrado
@ -3257,7 +3257,7 @@ You can enter any date manually,Puede introducir cualquier fecha manualmente
You can enter the minimum quantity of this item to be ordered.,Puede introducir la cantidad mínima que se puede pedir de este artículo.
You can not change rate if BOM mentioned agianst any item,No se puede cambiar la tasa si BOM mencionó agianst cualquier artículo
You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,No se puede introducir tanto Entrega Nota No y Factura No. Por favor ingrese cualquiera .
You can not enter current voucher in 'Against Journal Voucher' column,Usted no puede entrar bono actual en ' Contra Diario Vale ' columna
You can not enter current voucher in 'Against Journal Entry' column,Usted no puede entrar bono actual en ' Contra Diario Vale ' columna
You can set Default Bank Account in Company master,Puede configurar cuenta bancaria por defecto en el maestro de la empresa
You can start by selecting backup frequency and granting access for sync,Puedes empezar por seleccionar la frecuencia de copia de seguridad y la concesión de acceso para la sincronización
You can submit this Stock Reconciliation.,Puede enviar este Stock Reconciliación.

1 (Half Day) (Medio día)
152 Against Document No Contra el Documento No
153 Against Expense Account Contra la Cuenta de Gastos
154 Against Income Account Contra la Cuenta de Utilidad
155 Against Journal Voucher Against Journal Entry Contra Comprobante de Diario
156 Against Journal Voucher {0} does not have any unmatched {1} entry Against Journal Entry {0} does not have any unmatched {1} entry Contra Comprobante de Diario {0} aún no tiene {1} entrada asignada
157 Against Purchase Invoice Contra la Factura de Compra
158 Against Sales Invoice Contra la Factura de Venta
159 Against Sales Order Contra la Orden de Venta
335 Bank Reconciliation Conciliación Bancaria
336 Bank Reconciliation Detail Detalle de Conciliación Bancaria
337 Bank Reconciliation Statement Declaración de Conciliación Bancaria
338 Bank Voucher Bank Entry Banco de Vales
339 Bank/Cash Balance Banco / Balance de Caja
340 Banking Banca
341 Barcode Código de Barras
470 Case No. cannot be 0 Nº de Caso no puede ser 0
471 Cash Efectivo
472 Cash In Hand Efectivo Disponible
473 Cash Voucher Cash Entry Comprobante de Efectivo
474 Cash or Bank Account is mandatory for making payment entry Cuenta de Efectivo o Cuenta Bancaria es obligatoria para hacer una entrada de pago
475 Cash/Bank Account Cuenta de Caja / Banco
476 Casual Leave Permiso Temporal
597 Contra Voucher Contra Entry Contra Voucher Contra Entry
598 Contract Contrato
599 Contract End Date Fecha Fin de Contrato
600 Contract End Date must be greater than Date of Joining La Fecha de Finalización de Contrato debe ser mayor que la Fecha de la Firma
601 Contribution (%) Contribución (% )
602 Contribution to Net Total Contribución neta total
603 Conversion Factor Factor de Conversión
628 Create Bank Voucher for the total salary paid for the above selected criteria Create Bank Entry for the total salary paid for the above selected criteria Cree Banco Vale para el salario total pagado por los criterios seleccionados anteriormente
629 Create Customer Crear cliente
630 Create Material Requests Crear Solicitudes de Material
631 Create New Crear Nuevo
632 Create Opportunity Crear Oportunidad
633 Create Production Orders Crear Órdenes de Producción
634 Create Quotation Crear Cotización
650 Credit Card Voucher Credit Card Entry Vale la tarjeta de crédito
651 Credit Controller Credit Controller
652 Credit Days Días de Crédito
653 Credit Limit Límite de Crédito
654 Credit Note Nota de Crédito
655 Credit To crédito Para
656 Currency Divisa
982 Excise Voucher Excise Entry vale de Impuestos Especiales
983 Execution ejecución
984 Executive Search Búsqueda de Ejecutivos
985 Exemption Limit Límite de Exención
986 Exhibition exposición
987 Existing Customer cliente existente
988 Exit salida
1330 Invoice/Journal Voucher Details Invoice/Journal Entry Details Detalles de Factura / Comprobante de Diario
1331 Invoiced Amount (Exculsive Tax) Cantidad facturada ( Impuesto exclusive )
1332 Is Active Está Activo
1333 Is Advance Es Avance
1334 Is Cancelled CANCELADO
1335 Is Carry Forward Es llevar adelante
1336 Is Default Es por defecto
1460 Journal Voucher Journal Entry Comprobante de Diario
1461 Journal Entry Account Detalle del Asiento de Diario
1462 Journal Entry Account No Detalle del Asiento de Diario No
1463 Journal Voucher {0} does not have account {1} or already matched Journal Entry {0} does not have account {1} or already matched Comprobante de Diario {0} no tiene cuenta {1} o ya emparejado
1464 Journal Vouchers {0} are un-linked Journal Entries {0} are un-linked Asientos de Diario {0} no están vinculados.
1465 Keep a track of communication related to this enquiry which will help for future reference. Mantenga un registro de la comunicación en relación con esta consulta que ayudará para futuras consultas.
1466 Keep it web friendly 900px (w) by 100px (h) Manténgalo adecuado para la web 900px ( w ) por 100px ( h )
1467 Key Performance Area Área Clave de Rendimiento
1468 Key Responsibility Area Área de Responsabilidad Clave
1469 Kg Kilogramo
1470 LR Date LR Fecha
1579 Make Bank Voucher Make Bank Entry Hacer Banco Voucher
1580 Make Credit Note Hacer Nota de Crédito
1581 Make Debit Note Haga Nota de Débito
1582 Make Delivery Hacer Entrega
1583 Make Difference Entry Hacer Entrada Diferencia
1584 Make Excise Invoice Haga Impuestos Especiales de la factura
1585 Make Installation Note Hacer Nota de instalación
3101 Updated Birthday Reminders Actualizado Birthday Reminders
3102 Upload Attendance Subir Asistencia
3103 Upload Backups to Dropbox Cargar copias de seguridad en Dropbox
3104 Upload Backups to Google Drive Cargar copias de seguridad a Google Drive
3105 Upload HTML Subir HTML
3106 Upload a .csv file with two columns: the old name and the new name. Max 500 rows. Subir un archivo csv con dos columnas: . El viejo nombre y el nuevo nombre . Max 500 filas .
3107 Upload attendance from a .csv file Sube la asistencia de un archivo csv .
3239 Year Año
3240 Year Closed Año Cerrado
3241 Year End Date Año de Finalización
3242 Year Name Nombre de Año
3243 Year Start Date Año de Inicio
3244 Year of Passing Año de Fallecimiento
3245 Yearly Anual
3257 You can start by selecting backup frequency and granting access for sync Puedes empezar por seleccionar la frecuencia de copia de seguridad y la concesión de acceso para la sincronización
3258 You can submit this Stock Reconciliation. Puede enviar este Stock Reconciliación.
3259 You can update either Quantity or Valuation Rate or both. Puede actualizar la Cantidad, el Valor, o ambos.
3260 You cannot credit and debit same account at the same time No se puede anotar en el crédito y débito de una cuenta al mismo tiempo
3261 You have entered duplicate items. Please rectify and try again. Ha introducido los elementos duplicados . Por favor rectifique y vuelva a intentarlo .
3262 You may need to update: {0} Puede que tenga que actualizar : {0}
3263 You must Save the form before proceeding Debe guardar el formulario antes de proceder

View File

@ -153,8 +153,8 @@ Against Document Detail No,Contre Détail document n
Against Document No,Contre le document n °
Against Expense Account,Contre compte de dépenses
Against Income Account,Contre compte le revenu
Against Journal Voucher,Contre Bon Journal
Against Journal Voucher {0} does not have any unmatched {1} entry,Contre Journal Bon {0} n'a pas encore inégalée {1} entrée
Against Journal Entry,Contre Bon Journal
Against Journal Entry {0} does not have any unmatched {1} entry,Contre Journal Bon {0} n'a pas encore inégalée {1} entrée
Against Purchase Invoice,Contre facture d&#39;achat
Against Sales Invoice,Contre facture de vente
Against Sales Order,Contre Commande
@ -336,7 +336,7 @@ Bank Overdraft Account,Compte du découvert bancaire
Bank Reconciliation,Rapprochement bancaire
Bank Reconciliation Detail,Détail du rapprochement bancaire
Bank Reconciliation Statement,Énoncé de rapprochement bancaire
Bank Voucher,Coupon de la banque
Bank Entry,Coupon de la banque
Bank/Cash Balance,Solde de la banque / trésorerie
Banking,Bancaire
Barcode,Barcode
@ -471,7 +471,7 @@ Case No(s) already in use. Try from Case No {0},Entrées avant {0} sont gelés
Case No. cannot be 0,Cas n ° ne peut pas être 0
Cash,Espèces
Cash In Hand,Votre exercice social commence le
Cash Voucher,Bon trésorerie
Cash Entry,Bon trésorerie
Cash or Bank Account is mandatory for making payment entry,N ° de série {0} a déjà été reçu
Cash/Bank Account,Trésorerie / Compte bancaire
Casual Leave,Règles d'application des prix et de ristournes .
@ -595,7 +595,7 @@ Contact master.,'N'a pas de série »ne peut pas être « Oui »pour non - artic
Contacts,S'il vous plaît entrer la quantité pour l'article {0}
Content,Teneur
Content Type,Type de contenu
Contra Voucher,Bon Contra
Contra Entry,Bon Contra
Contract,contrat
Contract End Date,Date de fin du contrat
Contract End Date must be greater than Date of Joining,Fin du contrat La date doit être supérieure à date d'adhésion
@ -626,7 +626,7 @@ Country,Pays
Country Name,Nom Pays
Country wise default Address Templates,Modèles pays sage d'adresses par défaut
"Country, Timezone and Currency","Pays , Fuseau horaire et devise"
Create Bank Voucher for the total salary paid for the above selected criteria,Créer Chèques de la Banque pour le salaire total payé pour les critères ci-dessus sélectionnées
Create Bank Entry for the total salary paid for the above selected criteria,Créer Chèques de la Banque pour le salaire total payé pour les critères ci-dessus sélectionnées
Create Customer,créer clientèle
Create Material Requests,Créer des demandes de matériel
Create New,créer un nouveau
@ -648,7 +648,7 @@ Credentials,Lettres de créance
Credit,Crédit
Credit Amt,Crédit Amt
Credit Card,Carte de crédit
Credit Card Voucher,Bon de carte de crédit
Credit Card Entry,Bon de carte de crédit
Credit Controller,Credit Controller
Credit Days,Jours de crédit
Credit Limit,Limite de crédit
@ -980,7 +980,7 @@ Excise Duty @ 8,Droits d'accise @ 8
Excise Duty Edu Cess 2,Droits d'accise Edu Cess 2
Excise Duty SHE Cess 1,Droits d'accise ELLE Cess 1
Excise Page Number,Numéro de page d&#39;accise
Excise Voucher,Bon d&#39;accise
Excise Entry,Bon d&#39;accise
Execution,exécution
Executive Search,Executive Search
Exemption Limit,Limite d&#39;exemption
@ -1076,7 +1076,7 @@ For reference only.,À titre de référence seulement.
Fraction,Fraction
Fraction Units,Unités fraction
Freeze Stock Entries,Congeler entrées en stocks
Freeze Stocks Older Than [Days],Vous ne pouvez pas entrer bon actuelle dans «Contre Journal Voucher ' colonne
Freeze Stocks Older Than [Days],Vous ne pouvez pas entrer bon actuelle dans «Contre Journal Entry ' colonne
Freight and Forwarding Charges,Fret et d'envoi en sus
Friday,Vendredi
From,À partir de
@ -1328,7 +1328,7 @@ Invoice Period From,Période facture de
Invoice Period From and Invoice Period To dates mandatory for recurring invoice,Période facture et la période de facturation Pour les dates obligatoires pour la facture récurrente
Invoice Period To,Période facture Pour
Invoice Type,Type de facture
Invoice/Journal Voucher Details,Facture / Journal Chèques Détails
Invoice/Journal Entry Details,Facture / Journal Chèques Détails
Invoiced Amount (Exculsive Tax),Montant facturé ( impôt Exculsive )
Is Active,Est active
Is Advance,Est-Advance
@ -1458,11 +1458,11 @@ Job Title,Titre d&#39;emploi
Jobs Email Settings,Paramètres de messagerie Emploi
Journal Entries,Journal Entries
Journal Entry,Journal Entry
Journal Voucher,Bon Journal
Journal Entry,Bon Journal
Journal Entry Account,Détail pièce de journal
Journal Entry Account No,Détail Bon Journal No
Journal Voucher {0} does not have account {1} or already matched,Journal Bon {0} n'a pas encore compte {1} ou déjà identifié
Journal Vouchers {0} are un-linked,Date de livraison prévue ne peut pas être avant ventes Date de commande
Journal Entry {0} does not have account {1} or already matched,Journal Bon {0} n'a pas encore compte {1} ou déjà identifié
Journal Entries {0} are un-linked,Date de livraison prévue ne peut pas être avant ventes Date de commande
Keep a track of communication related to this enquiry which will help for future reference.,Gardez une trace de la communication liée à cette enquête qui aidera pour référence future.
Keep it web friendly 900px (w) by 100px (h),Gardez web 900px amical ( w) par 100px ( h )
Key Performance Area,Section de performance clé
@ -1577,7 +1577,7 @@ Maintenance start date can not be before delivery date for Serial No {0},Entreti
Major/Optional Subjects,Sujets principaux / en option
Make ,Make
Make Accounting Entry For Every Stock Movement,Faites Entrée Comptabilité Pour chaque mouvement Stock
Make Bank Voucher,Assurez-Bon Banque
Make Bank Entry,Assurez-Bon Banque
Make Credit Note,Assurez Note de crédit
Make Debit Note,Assurez- notes de débit
Make Delivery,Assurez- livraison
@ -3097,7 +3097,7 @@ Update Series,Update Series
Update Series Number,Numéro de série mise à jour
Update Stock,Mise à jour Stock
Update bank payment dates with journals.,Mise à jour bancaire dates de paiement des revues.
Update clearance date of Journal Entries marked as 'Bank Vouchers',Date d'autorisation de mise à jour des entrées de journal marqué comme « Banque Bons »
Update clearance date of Journal Entries marked as 'Bank Entry',Date d'autorisation de mise à jour des entrées de journal marqué comme « Banque Bons »
Updated,Mise à jour
Updated Birthday Reminders,Mise à jour anniversaire rappels
Upload Attendance,Téléchargez Participation
@ -3235,7 +3235,7 @@ Write Off Amount <=,Ecrire Off Montant &lt;=
Write Off Based On,Ecrire Off Basé sur
Write Off Cost Center,Ecrire Off Centre de coûts
Write Off Outstanding Amount,Ecrire Off Encours
Write Off Voucher,Ecrire Off Bon
Write Off Entry,Ecrire Off Bon
Wrong Template: Unable to find head row.,Modèle tort: Impossible de trouver la ligne de tête.
Year,Année
Year Closed,L'année est fermée
@ -3253,7 +3253,7 @@ You can enter any date manually,Vous pouvez entrer une date manuellement
You can enter the minimum quantity of this item to be ordered.,Vous pouvez entrer la quantité minimale de cet élément à commander.
You can not change rate if BOM mentioned agianst any item,Vous ne pouvez pas modifier le taux si BOM mentionné agianst un article
You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,Vous ne pouvez pas entrer à la fois bon de livraison et la facture de vente n ° n ° S'il vous plaît entrer personne.
You can not enter current voucher in 'Against Journal Voucher' column,"D'autres comptes peuvent être faites dans les groupes , mais les entrées peuvent être faites contre Ledger"
You can not enter current voucher in 'Against Journal Entry' column,"D'autres comptes peuvent être faites dans les groupes , mais les entrées peuvent être faites contre Ledger"
You can set Default Bank Account in Company master,Articles en attente {0} mise à jour
You can start by selecting backup frequency and granting access for sync,Vous pouvez commencer par sélectionner la fréquence de sauvegarde et d'accorder l'accès pour la synchronisation
You can submit this Stock Reconciliation.,Vous pouvez soumettre cette Stock réconciliation .

1 (Half Day) (Demi-journée)
153 Against Expense Account Contre compte de dépenses
154 Against Income Account Contre compte le revenu
155 Against Journal Voucher Against Journal Entry Contre Bon Journal
156 Against Journal Voucher {0} does not have any unmatched {1} entry Against Journal Entry {0} does not have any unmatched {1} entry Contre Journal Bon {0} n'a pas encore inégalée {1} entrée
157 Against Purchase Invoice Contre facture d&#39;achat
158 Against Sales Invoice Contre facture de vente
159 Against Sales Order Contre Commande
160 Against Voucher Bon contre
336 Bank Reconciliation Detail Détail du rapprochement bancaire
337 Bank Reconciliation Statement Énoncé de rapprochement bancaire
338 Bank Voucher Bank Entry Coupon de la banque
339 Bank/Cash Balance Solde de la banque / trésorerie
340 Banking Bancaire
341 Barcode Barcode
342 Barcode {0} already used in Item {1} Le code barre {0} est déjà utilisé dans l'article {1}
471 Cash Espèces
472 Cash In Hand Votre exercice social commence le
473 Cash Voucher Cash Entry Bon trésorerie
474 Cash or Bank Account is mandatory for making payment entry N ° de série {0} a déjà été reçu
475 Cash/Bank Account Trésorerie / Compte bancaire
476 Casual Leave Règles d'application des prix et de ristournes .
477 Cell Number Nombre de cellules
595 Content Teneur
596 Content Type Type de contenu
597 Contra Voucher Contra Entry Bon Contra
598 Contract contrat
599 Contract End Date Date de fin du contrat
600 Contract End Date must be greater than Date of Joining Fin du contrat La date doit être supérieure à date d'adhésion
601 Contribution (%) Contribution (%)
626 Country wise default Address Templates Modèles pays sage d'adresses par défaut
627 Country, Timezone and Currency Pays , Fuseau horaire et devise
628 Create Bank Voucher for the total salary paid for the above selected criteria Create Bank Entry for the total salary paid for the above selected criteria Créer Chèques de la Banque pour le salaire total payé pour les critères ci-dessus sélectionnées
629 Create Customer créer clientèle
630 Create Material Requests Créer des demandes de matériel
631 Create New créer un nouveau
632 Create Opportunity créer une opportunité
648 Credit Amt Crédit Amt
649 Credit Card Carte de crédit
650 Credit Card Voucher Credit Card Entry Bon de carte de crédit
651 Credit Controller Credit Controller
652 Credit Days Jours de crédit
653 Credit Limit Limite de crédit
654 Credit Note Note de crédit
980 Excise Duty SHE Cess 1 Droits d'accise ELLE Cess 1
981 Excise Page Number Numéro de page d&#39;accise
982 Excise Voucher Excise Entry Bon d&#39;accise
983 Execution exécution
984 Executive Search Executive Search
985 Exemption Limit Limite d&#39;exemption
986 Exhibition Exposition
1076 Fraction Units Unités fraction
1077 Freeze Stock Entries Congeler entrées en stocks
1078 Freeze Stocks Older Than [Days] Vous ne pouvez pas entrer bon actuelle dans «Contre Journal Voucher ' colonne Vous ne pouvez pas entrer bon actuelle dans «Contre Journal Entry ' colonne
1079 Freight and Forwarding Charges Fret et d'envoi en sus
1080 Friday Vendredi
1081 From À partir de
1082 From Bill of Materials De Bill of Materials
1328 Invoice Period To Période facture Pour
1329 Invoice Type Type de facture
1330 Invoice/Journal Voucher Details Invoice/Journal Entry Details Facture / Journal Chèques Détails
1331 Invoiced Amount (Exculsive Tax) Montant facturé ( impôt Exculsive )
1332 Is Active Est active
1333 Is Advance Est-Advance
1334 Is Cancelled Est annulée
1458 Journal Entries Journal Entries
1459 Journal Entry Journal Entry
1460 Journal Voucher Journal Entry Bon Journal
1461 Journal Entry Account Détail pièce de journal
1462 Journal Entry Account No Détail Bon Journal No
1463 Journal Voucher {0} does not have account {1} or already matched Journal Entry {0} does not have account {1} or already matched Journal Bon {0} n'a pas encore compte {1} ou déjà identifié
1464 Journal Vouchers {0} are un-linked Journal Entries {0} are un-linked Date de livraison prévue ne peut pas être avant ventes Date de commande
1465 Keep a track of communication related to this enquiry which will help for future reference. Gardez une trace de la communication liée à cette enquête qui aidera pour référence future.
1466 Keep it web friendly 900px (w) by 100px (h) Gardez web 900px amical ( w) par 100px ( h )
1467 Key Performance Area Section de performance clé
1468 Key Responsibility Area Section à responsabilité importante
1577 Make Make
1578 Make Accounting Entry For Every Stock Movement Faites Entrée Comptabilité Pour chaque mouvement Stock
1579 Make Bank Voucher Make Bank Entry Assurez-Bon Banque
1580 Make Credit Note Assurez Note de crédit
1581 Make Debit Note Assurez- notes de débit
1582 Make Delivery Assurez- livraison
1583 Make Difference Entry Assurez Entrée Différence
3097 Update Stock Mise à jour Stock
3098 Update bank payment dates with journals. Mise à jour bancaire dates de paiement des revues.
3099 Update clearance date of Journal Entries marked as 'Bank Vouchers' Update clearance date of Journal Entries marked as 'Bank Entry' Date d'autorisation de mise à jour des entrées de journal marqué comme « Banque Bons »
3100 Updated Mise à jour
3101 Updated Birthday Reminders Mise à jour anniversaire rappels
3102 Upload Attendance Téléchargez Participation
3103 Upload Backups to Dropbox Téléchargez sauvegardes à Dropbox
3235 Write Off Cost Center Ecrire Off Centre de coûts
3236 Write Off Outstanding Amount Ecrire Off Encours
3237 Write Off Voucher Write Off Entry Ecrire Off Bon
3238 Wrong Template: Unable to find head row. Modèle tort: ​​Impossible de trouver la ligne de tête.
3239 Year Année
3240 Year Closed L'année est fermée
3241 Year End Date Fin de l'exercice Date de
3253 You can not change rate if BOM mentioned agianst any item Vous ne pouvez pas modifier le taux si BOM mentionné agianst un article
3254 You can not enter both Delivery Note No and Sales Invoice No. Please enter any one. Vous ne pouvez pas entrer à la fois bon de livraison et la facture de vente n ° n ° S'il vous plaît entrer personne.
3255 You can not enter current voucher in 'Against Journal Voucher' column You can not enter current voucher in 'Against Journal Entry' column D'autres comptes peuvent être faites dans les groupes , mais les entrées peuvent être faites contre Ledger
3256 You can set Default Bank Account in Company master Articles en attente {0} mise à jour
3257 You can start by selecting backup frequency and granting access for sync Vous pouvez commencer par sélectionner la fréquence de sauvegarde et d'accorder l'accès pour la synchronisation
3258 You can submit this Stock Reconciliation. Vous pouvez soumettre cette Stock réconciliation .
3259 You can update either Quantity or Valuation Rate or both. Vous pouvez mettre à jour soit Quantité ou l'évaluation des taux ou les deux.

View File

@ -152,8 +152,8 @@ Against Document Detail No,दस्तावेज़ विस्तार न
Against Document No,दस्तावेज़ के खिलाफ कोई
Against Expense Account,व्यय खाते के खिलाफ
Against Income Account,आय खाता के खिलाफ
Against Journal Voucher,जर्नल वाउचर के खिलाफ
Against Journal Voucher {0} does not have any unmatched {1} entry,जर्नल वाउचर के खिलाफ {0} किसी भी बेजोड़ {1} प्रविष्टि नहीं है
Against Journal Entry,जर्नल वाउचर के खिलाफ
Against Journal Entry {0} does not have any unmatched {1} entry,जर्नल वाउचर के खिलाफ {0} किसी भी बेजोड़ {1} प्रविष्टि नहीं है
Against Purchase Invoice,खरीद चालान के खिलाफ
Against Sales Invoice,बिक्री चालान के खिलाफ
Against Sales Order,बिक्री के आदेश के खिलाफ
@ -335,7 +335,7 @@ Bank Overdraft Account,बैंक ओवरड्राफ्ट खाता
Bank Reconciliation,बैंक समाधान
Bank Reconciliation Detail,बैंक सुलह विस्तार
Bank Reconciliation Statement,बैंक समाधान विवरण
Bank Voucher,बैंक वाउचर
Bank Entry,बैंक वाउचर
Bank/Cash Balance,बैंक / नकद शेष
Banking,बैंकिंग
Barcode,बारकोड
@ -470,7 +470,7 @@ Case No(s) already in use. Try from Case No {0},प्रकरण नहीं
Case No. cannot be 0,मुकदमा संख्या 0 नहीं हो सकता
Cash,नकद
Cash In Hand,रोकड़ शेष
Cash Voucher,कैश वाउचर
Cash Entry,कैश वाउचर
Cash or Bank Account is mandatory for making payment entry,नकद या बैंक खाते को भुगतान के प्रवेश करने के लिए अनिवार्य है
Cash/Bank Account,नकद / बैंक खाता
Casual Leave,आकस्मिक छुट्टी
@ -594,7 +594,7 @@ Contact master.,संपर्क मास्टर .
Contacts,संपर्क
Content,सामग्री
Content Type,सामग्री प्रकार
Contra Voucher,कॉन्ट्रा वाउचर
Contra Entry,कॉन्ट्रा वाउचर
Contract,अनुबंध
Contract End Date,अनुबंध समाप्ति तिथि
Contract End Date must be greater than Date of Joining,अनुबंध समाप्ति तिथि शामिल होने की तिथि से अधिक होना चाहिए
@ -625,7 +625,7 @@ Country,देश
Country Name,देश का नाम
Country wise default Address Templates,देश बुद्धिमान डिफ़ॉल्ट पता टेम्पलेट्स
"Country, Timezone and Currency","देश , समय क्षेत्र और मुद्रा"
Create Bank Voucher for the total salary paid for the above selected criteria,कुल ऊपर चयनित मानदंड के लिए वेतन भुगतान के लिए बैंक वाउचर बनाएँ
Create Bank Entry for the total salary paid for the above selected criteria,कुल ऊपर चयनित मानदंड के लिए वेतन भुगतान के लिए बैंक वाउचर बनाएँ
Create Customer,ग्राहक बनाएँ
Create Material Requests,सामग्री अनुरोध बनाएँ
Create New,नई बनाएँ
@ -647,7 +647,7 @@ Credentials,साख
Credit,श्रेय
Credit Amt,क्रेडिट राशि
Credit Card,क्रेडिट कार्ड
Credit Card Voucher,क्रेडिट कार्ड वाउचर
Credit Card Entry,क्रेडिट कार्ड वाउचर
Credit Controller,क्रेडिट नियंत्रक
Credit Days,क्रेडिट दिन
Credit Limit,साख सीमा
@ -979,7 +979,7 @@ Excise Duty @ 8,8 @ एक्साइज ड्यूटी
Excise Duty Edu Cess 2,उत्पाद शुल्क शिक्षा उपकर 2
Excise Duty SHE Cess 1,एक्साइज ड्यूटी वह उपकर 1
Excise Page Number,आबकारी पृष्ठ संख्या
Excise Voucher,आबकारी वाउचर
Excise Entry,आबकारी वाउचर
Execution,निष्पादन
Executive Search,कार्यकारी खोज
Exemption Limit,छूट की सीमा
@ -1327,7 +1327,7 @@ Invoice Period From,से चालान अवधि
Invoice Period From and Invoice Period To dates mandatory for recurring invoice,चालान आवर्ती के लिए अनिवार्य तिथियों के लिए और चालान काल से चालान अवधि
Invoice Period To,के लिए चालान अवधि
Invoice Type,चालान का प्रकार
Invoice/Journal Voucher Details,चालान / जर्नल वाउचर विवरण
Invoice/Journal Entry Details,चालान / जर्नल वाउचर विवरण
Invoiced Amount (Exculsive Tax),चालान राशि ( Exculsive टैक्स )
Is Active,सक्रिय है
Is Advance,अग्रिम है
@ -1457,11 +1457,11 @@ Job Title,कार्य शीर्षक
Jobs Email Settings,नौकरियां ईमेल सेटिंग
Journal Entries,जर्नल प्रविष्टियां
Journal Entry,जर्नल प्रविष्टि
Journal Voucher,जर्नल वाउचर
Journal Entry,जर्नल वाउचर
Journal Entry Account,जर्नल वाउचर विस्तार
Journal Entry Account No,जर्नल वाउचर विस्तार नहीं
Journal Voucher {0} does not have account {1} or already matched,जर्नल वाउचर {0} खाता नहीं है {1} या पहले से ही मेल नहीं खाते
Journal Vouchers {0} are un-linked,जर्नल वाउचर {0} संयुक्त राष्ट्र से जुड़े हुए हैं
Journal Entry {0} does not have account {1} or already matched,जर्नल वाउचर {0} खाता नहीं है {1} या पहले से ही मेल नहीं खाते
Journal Entries {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),100px द्वारा वेब अनुकूल 900px (डब्ल्यू) रखो यह ( ज)
Key Performance Area,परफ़ॉर्मेंस क्षेत्र
@ -1576,7 +1576,7 @@ Maintenance start date can not be before delivery date for Serial No {0},रख
Major/Optional Subjects,मेजर / वैकल्पिक विषय
Make ,Make
Make Accounting Entry For Every Stock Movement,हर शेयर आंदोलन के लिए लेखा प्रविष्टि बनाओ
Make Bank Voucher,बैंक वाउचर
Make Bank Entry,बैंक वाउचर
Make Credit Note,क्रेडिट नोट बनाने
Make Debit Note,डेबिट नोट बनाने
Make Delivery,वितरण करना
@ -3096,7 +3096,7 @@ Update Series,अद्यतन श्रृंखला
Update Series Number,अद्यतन सीरीज नंबर
Update Stock,स्टॉक अद्यतन
Update bank payment dates with journals.,अद्यतन बैंक भुगतान पत्रिकाओं के साथ तिथियाँ.
Update clearance date of Journal Entries marked as 'Bank Vouchers',जर्नल प्रविष्टियों का अद्यतन निकासी की तारीख ' बैंक वाउचर ' के रूप में चिह्नित
Update clearance date of Journal Entries marked as 'Bank Entry',जर्नल प्रविष्टियों का अद्यतन निकासी की तारीख ' बैंक वाउचर ' के रूप में चिह्नित
Updated,अद्यतित
Updated Birthday Reminders,नवीनीकृत जन्मदिन अनुस्मारक
Upload Attendance,उपस्थिति अपलोड
@ -3234,7 +3234,7 @@ Write Off Amount <=,ऑफ राशि लिखें &lt;=
Write Off Based On,के आधार पर बंद लिखने के लिए
Write Off Cost Center,ऑफ लागत केंद्र लिखें
Write Off Outstanding Amount,ऑफ बकाया राशि लिखें
Write Off Voucher,ऑफ वाउचर लिखें
Write Off Entry,ऑफ वाउचर लिखें
Wrong Template: Unable to find head row.,गलत साँचा: सिर पंक्ति पाने में असमर्थ.
Year,वर्ष
Year Closed,साल बंद कर दिया
@ -3252,7 +3252,7 @@ You can enter any date manually,आप किसी भी तारीख क
You can enter the minimum quantity of this item to be ordered.,आप इस मद की न्यूनतम मात्रा में करने के लिए आदेश दिया जा में प्रवेश कर सकते हैं.
You can not change rate if BOM mentioned agianst any item,बीओएम किसी भी आइटम agianst उल्लेख अगर आप दर में परिवर्तन नहीं कर सकते
You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,आप नहीं दोनों डिलिवरी नोट में प्रवेश नहीं कर सकते हैं और बिक्री चालान नहीं किसी भी एक दर्ज करें.
You can not enter current voucher in 'Against Journal Voucher' column,आप स्तंभ ' जर्नल वाउचर के खिलाफ' में मौजूदा वाउचर प्रवेश नहीं कर सकते
You can not enter current voucher in 'Against Journal Entry' column,आप स्तंभ ' जर्नल वाउचर के खिलाफ' में मौजूदा वाउचर प्रवेश नहीं कर सकते
You can set Default Bank Account in Company master,आप कंपनी मास्टर में डिफ़ॉल्ट बैंक खाता सेट कर सकते हैं
You can start by selecting backup frequency and granting access for sync,आप बैकअप आवृत्ति का चयन और सिंक के लिए पहुँच प्रदान कर शुरू कर सकते हैं
You can submit this Stock Reconciliation.,आप इस स्टॉक सुलह प्रस्तुत कर सकते हैं .

1 (Half Day) (आधे दिन)
152 Against Document No दस्तावेज़ के खिलाफ कोई
153 Against Expense Account व्यय खाते के खिलाफ
154 Against Income Account आय खाता के खिलाफ
155 Against Journal Voucher Against Journal Entry जर्नल वाउचर के खिलाफ
156 Against Journal Voucher {0} does not have any unmatched {1} entry Against Journal Entry {0} does not have any unmatched {1} entry जर्नल वाउचर के खिलाफ {0} किसी भी बेजोड़ {1} प्रविष्टि नहीं है
157 Against Purchase Invoice खरीद चालान के खिलाफ
158 Against Sales Invoice बिक्री चालान के खिलाफ
159 Against Sales Order बिक्री के आदेश के खिलाफ
335 Bank Reconciliation बैंक समाधान
336 Bank Reconciliation Detail बैंक सुलह विस्तार
337 Bank Reconciliation Statement बैंक समाधान विवरण
338 Bank Voucher Bank Entry बैंक वाउचर
339 Bank/Cash Balance बैंक / नकद शेष
340 Banking बैंकिंग
341 Barcode बारकोड
470 Case No. cannot be 0 मुकदमा संख्या 0 नहीं हो सकता
471 Cash नकद
472 Cash In Hand रोकड़ शेष
473 Cash Voucher Cash Entry कैश वाउचर
474 Cash or Bank Account is mandatory for making payment entry नकद या बैंक खाते को भुगतान के प्रवेश करने के लिए अनिवार्य है
475 Cash/Bank Account नकद / बैंक खाता
476 Casual Leave आकस्मिक छुट्टी
594 Contacts संपर्क
595 Content सामग्री
596 Content Type सामग्री प्रकार
597 Contra Voucher Contra Entry कॉन्ट्रा वाउचर
598 Contract अनुबंध
599 Contract End Date अनुबंध समाप्ति तिथि
600 Contract End Date must be greater than Date of Joining अनुबंध समाप्ति तिथि शामिल होने की तिथि से अधिक होना चाहिए
625 Country Name देश का नाम
626 Country wise default Address Templates देश बुद्धिमान डिफ़ॉल्ट पता टेम्पलेट्स
627 Country, Timezone and Currency देश , समय क्षेत्र और मुद्रा
628 Create Bank Voucher for the total salary paid for the above selected criteria Create Bank Entry for the total salary paid for the above selected criteria कुल ऊपर चयनित मानदंड के लिए वेतन भुगतान के लिए बैंक वाउचर बनाएँ
629 Create Customer ग्राहक बनाएँ
630 Create Material Requests सामग्री अनुरोध बनाएँ
631 Create New नई बनाएँ
647 Credit श्रेय
648 Credit Amt क्रेडिट राशि
649 Credit Card क्रेडिट कार्ड
650 Credit Card Voucher Credit Card Entry क्रेडिट कार्ड वाउचर
651 Credit Controller क्रेडिट नियंत्रक
652 Credit Days क्रेडिट दिन
653 Credit Limit साख सीमा
979 Excise Duty Edu Cess 2 उत्पाद शुल्क शिक्षा उपकर 2
980 Excise Duty SHE Cess 1 एक्साइज ड्यूटी वह उपकर 1
981 Excise Page Number आबकारी पृष्ठ संख्या
982 Excise Voucher Excise Entry आबकारी वाउचर
983 Execution निष्पादन
984 Executive Search कार्यकारी खोज
985 Exemption Limit छूट की सीमा
1327 Invoice Period From and Invoice Period To dates mandatory for recurring invoice चालान आवर्ती के लिए अनिवार्य तिथियों के लिए और चालान काल से चालान अवधि
1328 Invoice Period To के लिए चालान अवधि
1329 Invoice Type चालान का प्रकार
1330 Invoice/Journal Voucher Details Invoice/Journal Entry Details चालान / जर्नल वाउचर विवरण
1331 Invoiced Amount (Exculsive Tax) चालान राशि ( Exculsive टैक्स )
1332 Is Active सक्रिय है
1333 Is Advance अग्रिम है
1457 Jobs Email Settings नौकरियां ईमेल सेटिंग
1458 Journal Entries जर्नल प्रविष्टियां
1459 Journal Entry जर्नल प्रविष्टि
1460 Journal Voucher Journal Entry जर्नल वाउचर
1461 Journal Entry Account जर्नल वाउचर विस्तार
1462 Journal Entry Account No जर्नल वाउचर विस्तार नहीं
1463 Journal Voucher {0} does not have account {1} or already matched Journal Entry {0} does not have account {1} or already matched जर्नल वाउचर {0} खाता नहीं है {1} या पहले से ही मेल नहीं खाते
1464 Journal Vouchers {0} are un-linked Journal Entries {0} are un-linked जर्नल वाउचर {0} संयुक्त राष्ट्र से जुड़े हुए हैं
1465 Keep a track of communication related to this enquiry which will help for future reference. जांच है जो भविष्य में संदर्भ के लिए मदद करने के लिए संबंधित संचार का ट्रैक रखें.
1466 Keep it web friendly 900px (w) by 100px (h) 100px द्वारा वेब अनुकूल 900px (डब्ल्यू) रखो यह ( ज)
1467 Key Performance Area परफ़ॉर्मेंस क्षेत्र
1576 Major/Optional Subjects मेजर / वैकल्पिक विषय
1577 Make Make
1578 Make Accounting Entry For Every Stock Movement हर शेयर आंदोलन के लिए लेखा प्रविष्टि बनाओ
1579 Make Bank Voucher Make Bank Entry बैंक वाउचर
1580 Make Credit Note क्रेडिट नोट बनाने
1581 Make Debit Note डेबिट नोट बनाने
1582 Make Delivery वितरण करना
3096 Update Series Number अद्यतन सीरीज नंबर
3097 Update Stock स्टॉक अद्यतन
3098 Update bank payment dates with journals. अद्यतन बैंक भुगतान पत्रिकाओं के साथ तिथियाँ.
3099 Update clearance date of Journal Entries marked as 'Bank Vouchers' Update clearance date of Journal Entries marked as 'Bank Entry' जर्नल प्रविष्टियों का अद्यतन निकासी की तारीख ' बैंक वाउचर ' के रूप में चिह्नित
3100 Updated अद्यतित
3101 Updated Birthday Reminders नवीनीकृत जन्मदिन अनुस्मारक
3102 Upload Attendance उपस्थिति अपलोड
3234 Write Off Based On के आधार पर बंद लिखने के लिए
3235 Write Off Cost Center ऑफ लागत केंद्र लिखें
3236 Write Off Outstanding Amount ऑफ बकाया राशि लिखें
3237 Write Off Voucher Write Off Entry ऑफ वाउचर लिखें
3238 Wrong Template: Unable to find head row. गलत साँचा: सिर पंक्ति पाने में असमर्थ.
3239 Year वर्ष
3240 Year Closed साल बंद कर दिया
3252 You can enter the minimum quantity of this item to be ordered. आप इस मद की न्यूनतम मात्रा में करने के लिए आदेश दिया जा में प्रवेश कर सकते हैं.
3253 You can not change rate if BOM mentioned agianst any item बीओएम किसी भी आइटम agianst उल्लेख अगर आप दर में परिवर्तन नहीं कर सकते
3254 You can not enter both Delivery Note No and Sales Invoice No. Please enter any one. आप नहीं दोनों डिलिवरी नोट में प्रवेश नहीं कर सकते हैं और बिक्री चालान नहीं किसी भी एक दर्ज करें.
3255 You can not enter current voucher in 'Against Journal Voucher' column You can not enter current voucher in 'Against Journal Entry' column आप स्तंभ ' जर्नल वाउचर के खिलाफ' में मौजूदा वाउचर प्रवेश नहीं कर सकते
3256 You can set Default Bank Account in Company master आप कंपनी मास्टर में डिफ़ॉल्ट बैंक खाता सेट कर सकते हैं
3257 You can start by selecting backup frequency and granting access for sync आप बैकअप आवृत्ति का चयन और सिंक के लिए पहुँच प्रदान कर शुरू कर सकते हैं
3258 You can submit this Stock Reconciliation. आप इस स्टॉक सुलह प्रस्तुत कर सकते हैं .

View File

@ -152,8 +152,8 @@ Against Document Detail No,Protiv dokumenta Detalj No
Against Document No,Protiv dokumentu nema
Against Expense Account,Protiv Rashodi račun
Against Income Account,Protiv računu dohotka
Against Journal Voucher,Protiv Journal Voucheru
Against Journal Voucher {0} does not have any unmatched {1} entry,Protiv Journal vaučer {0} nema premca {1} unos
Against Journal Entry,Protiv Journal Entryu
Against Journal Entry {0} does not have any unmatched {1} entry,Protiv Journal vaučer {0} nema premca {1} unos
Against Purchase Invoice,Protiv Kupnja fakture
Against Sales Invoice,Protiv prodaje fakture
Against Sales Order,Protiv prodajnog naloga
@ -335,7 +335,7 @@ Bank Overdraft Account,Bank Prekoračenje računa
Bank Reconciliation,Banka pomirenje
Bank Reconciliation Detail,Banka Pomirenje Detalj
Bank Reconciliation Statement,Izjava banka pomirenja
Bank Voucher,Banka bon
Bank Entry,Banka bon
Bank/Cash Balance,Banka / saldo
Banking,bankarstvo
Barcode,Barkod
@ -470,7 +470,7 @@ Case No(s) already in use. Try from Case No {0},Slučaj Ne ( i) je već u uporab
Case No. cannot be 0,Slučaj broj ne može biti 0
Cash,Gotovina
Cash In Hand,Novac u blagajni
Cash Voucher,Novac bon
Cash Entry,Novac bon
Cash or Bank Account is mandatory for making payment entry,Novac ili bankovni račun je obvezna za izradu ulazak plaćanje
Cash/Bank Account,Novac / bankovni račun
Casual Leave,Casual dopust
@ -594,7 +594,7 @@ Contact master.,Kontakt majstor .
Contacts,Kontakti
Content,Sadržaj
Content Type,Vrsta sadržaja
Contra Voucher,Contra bon
Contra Entry,Contra bon
Contract,ugovor
Contract End Date,Ugovor Datum završetka
Contract End Date must be greater than Date of Joining,Ugovor Datum završetka mora biti veći od dana ulaska u
@ -625,7 +625,7 @@ Country,Zemlja
Country Name,Država Ime
Country wise default Address Templates,Država mudar zadana adresa predlošci
"Country, Timezone and Currency","Država , vremenske zone i valute"
Create Bank Voucher for the total salary paid for the above selected criteria,Stvaranje Bank bon za ukupne plaće isplaćene za gore odabranih kriterija
Create Bank Entry for the total salary paid for the above selected criteria,Stvaranje Bank bon za ukupne plaće isplaćene za gore odabranih kriterija
Create Customer,izraditi korisnika
Create Material Requests,Stvaranje materijalni zahtijevi
Create New,Stvori novo
@ -647,7 +647,7 @@ Credentials,Svjedodžba
Credit,Kredit
Credit Amt,Kreditne Amt
Credit Card,kreditna kartica
Credit Card Voucher,Kreditne kartice bon
Credit Card Entry,Kreditne kartice bon
Credit Controller,Kreditne kontroler
Credit Days,Kreditne Dani
Credit Limit,Kreditni limit
@ -979,7 +979,7 @@ Excise Duty @ 8,Trošarina @ 8.
Excise Duty Edu Cess 2,Trošarina Edu Posebni porez 2
Excise Duty SHE Cess 1,Trošarina ONA Posebni porez na 1
Excise Page Number,Trošarina Broj stranice
Excise Voucher,Trošarina bon
Excise Entry,Trošarina bon
Execution,izvršenje
Executive Search,Executive Search
Exemption Limit,Izuzeće granica
@ -1327,7 +1327,7 @@ Invoice Period From,Račun razdoblju od
Invoice Period From and Invoice Period To dates mandatory for recurring invoice,Račun razdoblju od računa i period za datume obveznih za ponavljajuće fakture
Invoice Period To,Račun Razdoblje Da
Invoice Type,Tip fakture
Invoice/Journal Voucher Details,Račun / Časopis bon Detalji
Invoice/Journal Entry Details,Račun / Časopis bon Detalji
Invoiced Amount (Exculsive Tax),Dostavljeni iznos ( Exculsive poreza )
Is Active,Je aktivna
Is Advance,Je Predujam
@ -1457,11 +1457,11 @@ Job Title,Titula
Jobs Email Settings,Poslovi Postavke e-pošte
Journal Entries,Časopis upisi
Journal Entry,Časopis Stupanje
Journal Voucher,Časopis bon
Journal Entry,Časopis bon
Journal Entry Account,Časopis bon Detalj
Journal Entry Account No,Časopis bon Detalj Ne
Journal Voucher {0} does not have account {1} or already matched,Časopis bon {0} nema račun {1} ili već usklađeni
Journal Vouchers {0} are un-linked,Časopis bon {0} su UN -linked
Journal Entry {0} does not have account {1} or already matched,Časopis bon {0} nema račun {1} ili već usklađeni
Journal Entries {0} are un-linked,Časopis bon {0} su UN -linked
Keep a track of communication related to this enquiry which will help for future reference.,Držite pratiti komunikacije vezane uz ovaj upit koji će vam pomoći za buduću referencu.
Keep it web friendly 900px (w) by 100px (h),Držite ga prijateljski web 900px ( w ) by 100px ( h )
Key Performance Area,Key Performance Area
@ -1576,7 +1576,7 @@ Maintenance start date can not be before delivery date for Serial No {0},Održav
Major/Optional Subjects,Glavni / Izborni predmeti
Make ,Make
Make Accounting Entry For Every Stock Movement,Provjerite knjiženje za svaki burzi pokreta
Make Bank Voucher,Napravite Bank bon
Make Bank Entry,Napravite Bank bon
Make Credit Note,Provjerite Credit Note
Make Debit Note,Provjerite terećenju
Make Delivery,bi isporuka
@ -3096,7 +3096,7 @@ Update Series,Update serija
Update Series Number,Update serije Broj
Update Stock,Ažurirajte Stock
Update bank payment dates with journals.,Update banka datum plaćanja s časopisima.
Update clearance date of Journal Entries marked as 'Bank Vouchers',"Datum Update klirens navoda označene kao ""Banka bon '"
Update clearance date of Journal Entries marked as 'Bank Entry',"Datum Update klirens navoda označene kao ""Banka bon '"
Updated,Obnovljeno
Updated Birthday Reminders,Obnovljeno Rođendan Podsjetnici
Upload Attendance,Upload Attendance
@ -3234,7 +3234,7 @@ Write Off Amount <=,Otpis Iznos &lt;=
Write Off Based On,Otpis na temelju
Write Off Cost Center,Otpis troška
Write Off Outstanding Amount,Otpisati preostali iznos
Write Off Voucher,Napišite Off bon
Write Off Entry,Napišite Off bon
Wrong Template: Unable to find head row.,Pogrešna Predložak: Nije moguće pronaći glave red.
Year,Godina
Year Closed,Godina Zatvoreno
@ -3252,7 +3252,7 @@ You can enter any date manually,Možete unijeti bilo koji datum ručno
You can enter the minimum quantity of this item to be ordered.,Možete unijeti minimalnu količinu ove točke biti naređeno.
You can not change rate if BOM mentioned agianst any item,Ne možete promijeniti brzinu ako BOM spomenuo agianst bilo predmet
You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,Vi ne možete unositi oba isporuke Napomena Ne i prodaje Račun br Unesite bilo jedno .
You can not enter current voucher in 'Against Journal Voucher' column,Ne možete unijeti trenutni voucher u ' Protiv Journal vaučer ' kolonu
You can not enter current voucher in 'Against Journal Entry' column,Ne možete unijeti trenutni voucher u ' Protiv Journal vaučer ' kolonu
You can set Default Bank Account in Company master,Možete postaviti Default bankovni račun u gospodara tvrtke
You can start by selecting backup frequency and granting access for sync,Možete početi odabirom sigurnosnu frekvenciju i davanje pristupa za sinkronizaciju
You can submit this Stock Reconciliation.,Možete poslati ovu zaliha pomirenja .

1 (Half Day) (Poludnevni)
152 Against Document No Protiv dokumentu nema
153 Against Expense Account Protiv Rashodi račun
154 Against Income Account Protiv računu dohotka
155 Against Journal Voucher Against Journal Entry Protiv Journal Voucheru Protiv Journal Entryu
156 Against Journal Voucher {0} does not have any unmatched {1} entry Against Journal Entry {0} does not have any unmatched {1} entry Protiv Journal vaučer {0} nema premca {1} unos
157 Against Purchase Invoice Protiv Kupnja fakture
158 Against Sales Invoice Protiv prodaje fakture
159 Against Sales Order Protiv prodajnog naloga
335 Bank Reconciliation Banka pomirenje
336 Bank Reconciliation Detail Banka Pomirenje Detalj
337 Bank Reconciliation Statement Izjava banka pomirenja
338 Bank Voucher Bank Entry Banka bon
339 Bank/Cash Balance Banka / saldo
340 Banking bankarstvo
341 Barcode Barkod
470 Case No. cannot be 0 Slučaj broj ne može biti 0
471 Cash Gotovina
472 Cash In Hand Novac u blagajni
473 Cash Voucher Cash Entry Novac bon
474 Cash or Bank Account is mandatory for making payment entry Novac ili bankovni račun je obvezna za izradu ulazak plaćanje
475 Cash/Bank Account Novac / bankovni račun
476 Casual Leave Casual dopust
594 Contacts Kontakti
595 Content Sadržaj
596 Content Type Vrsta sadržaja
597 Contra Voucher Contra Entry Contra bon
598 Contract ugovor
599 Contract End Date Ugovor Datum završetka
600 Contract End Date must be greater than Date of Joining Ugovor Datum završetka mora biti veći od dana ulaska u
625 Country Name Država Ime
626 Country wise default Address Templates Država mudar zadana adresa predlošci
627 Country, Timezone and Currency Država , vremenske zone i valute
628 Create Bank Voucher for the total salary paid for the above selected criteria Create Bank Entry for the total salary paid for the above selected criteria Stvaranje Bank bon za ukupne plaće isplaćene za gore odabranih kriterija
629 Create Customer izraditi korisnika
630 Create Material Requests Stvaranje materijalni zahtijevi
631 Create New Stvori novo
647 Credit Kredit
648 Credit Amt Kreditne Amt
649 Credit Card kreditna kartica
650 Credit Card Voucher Credit Card Entry Kreditne kartice bon
651 Credit Controller Kreditne kontroler
652 Credit Days Kreditne Dani
653 Credit Limit Kreditni limit
979 Excise Duty Edu Cess 2 Trošarina Edu Posebni porez 2
980 Excise Duty SHE Cess 1 Trošarina ONA Posebni porez na 1
981 Excise Page Number Trošarina Broj stranice
982 Excise Voucher Excise Entry Trošarina bon
983 Execution izvršenje
984 Executive Search Executive Search
985 Exemption Limit Izuzeće granica
1327 Invoice Period From and Invoice Period To dates mandatory for recurring invoice Račun razdoblju od računa i period za datume obveznih za ponavljajuće fakture
1328 Invoice Period To Račun Razdoblje Da
1329 Invoice Type Tip fakture
1330 Invoice/Journal Voucher Details Invoice/Journal Entry Details Račun / Časopis bon Detalji
1331 Invoiced Amount (Exculsive Tax) Dostavljeni iznos ( Exculsive poreza )
1332 Is Active Je aktivna
1333 Is Advance Je Predujam
1457 Jobs Email Settings Poslovi Postavke e-pošte
1458 Journal Entries Časopis upisi
1459 Journal Entry Časopis Stupanje
1460 Journal Voucher Journal Entry Časopis bon
1461 Journal Entry Account Časopis bon Detalj
1462 Journal Entry Account No Časopis bon Detalj Ne
1463 Journal Voucher {0} does not have account {1} or already matched Journal Entry {0} does not have account {1} or already matched Časopis bon {0} nema račun {1} ili već usklađeni
1464 Journal Vouchers {0} are un-linked Journal Entries {0} are un-linked Časopis bon {0} su UN -linked
1465 Keep a track of communication related to this enquiry which will help for future reference. Držite pratiti komunikacije vezane uz ovaj upit koji će vam pomoći za buduću referencu.
1466 Keep it web friendly 900px (w) by 100px (h) Držite ga prijateljski web 900px ( w ) by 100px ( h )
1467 Key Performance Area Key Performance Area
1576 Major/Optional Subjects Glavni / Izborni predmeti
1577 Make Make
1578 Make Accounting Entry For Every Stock Movement Provjerite knjiženje za svaki burzi pokreta
1579 Make Bank Voucher Make Bank Entry Napravite Bank bon
1580 Make Credit Note Provjerite Credit Note
1581 Make Debit Note Provjerite terećenju
1582 Make Delivery bi isporuka
3096 Update Series Number Update serije Broj
3097 Update Stock Ažurirajte Stock
3098 Update bank payment dates with journals. Update banka datum plaćanja s časopisima.
3099 Update clearance date of Journal Entries marked as 'Bank Vouchers' Update clearance date of Journal Entries marked as 'Bank Entry' Datum Update klirens navoda označene kao "Banka bon '
3100 Updated Obnovljeno
3101 Updated Birthday Reminders Obnovljeno Rođendan Podsjetnici
3102 Upload Attendance Upload Attendance
3234 Write Off Based On Otpis na temelju
3235 Write Off Cost Center Otpis troška
3236 Write Off Outstanding Amount Otpisati preostali iznos
3237 Write Off Voucher Write Off Entry Napišite Off bon
3238 Wrong Template: Unable to find head row. Pogrešna Predložak: Nije moguće pronaći glave red.
3239 Year Godina
3240 Year Closed Godina Zatvoreno
3252 You can enter the minimum quantity of this item to be ordered. Možete unijeti minimalnu količinu ove točke biti naređeno.
3253 You can not change rate if BOM mentioned agianst any item Ne možete promijeniti brzinu ako BOM spomenuo agianst bilo predmet
3254 You can not enter both Delivery Note No and Sales Invoice No. Please enter any one. Vi ne možete unositi oba isporuke Napomena Ne i prodaje Račun br Unesite bilo jedno .
3255 You can not enter current voucher in 'Against Journal Voucher' column You can not enter current voucher in 'Against Journal Entry' column Ne možete unijeti trenutni voucher u ' Protiv Journal vaučer ' kolonu
3256 You can set Default Bank Account in Company master Možete postaviti Default bankovni račun u gospodara tvrtke
3257 You can start by selecting backup frequency and granting access for sync Možete početi odabirom sigurnosnu frekvenciju i davanje pristupa za sinkronizaciju
3258 You can submit this Stock Reconciliation. Možete poslati ovu zaliha pomirenja .

View File

@ -152,8 +152,8 @@ Against Document Detail No,Terhadap Dokumen Detil ada
Against Document No,Melawan Dokumen Tidak
Against Expense Account,Terhadap Beban Akun
Against Income Account,Terhadap Akun Penghasilan
Against Journal Voucher,Melawan Journal Voucher
Against Journal Voucher {0} does not have any unmatched {1} entry,Terhadap Journal Voucher {0} tidak memiliki tertandingi {1} entri
Against Journal Entry,Melawan Journal Entry
Against Journal Entry {0} does not have any unmatched {1} entry,Terhadap Journal Entry {0} tidak memiliki tertandingi {1} entri
Against Purchase Invoice,Terhadap Purchase Invoice
Against Sales Invoice,Terhadap Faktur Penjualan
Against Sales Order,Terhadap Sales Order
@ -335,7 +335,7 @@ Bank Overdraft Account,Cerukan Bank Akun
Bank Reconciliation,5. Bank Reconciliation (Rekonsiliasi Bank)
Bank Reconciliation Detail,Rekonsiliasi Bank Detil
Bank Reconciliation Statement,Pernyataan Bank Rekonsiliasi
Bank Voucher,Bank Voucher
Bank Entry,Bank Entry
Bank/Cash Balance,Bank / Cash Balance
Banking,Perbankan
Barcode,barcode
@ -470,7 +470,7 @@ Case No(s) already in use. Try from Case No {0},Kasus ada (s) sudah digunakan. C
Case No. cannot be 0,Kasus No tidak bisa 0
Cash,kas
Cash In Hand,Cash In Hand
Cash Voucher,Voucher Cash
Cash Entry,Voucher Cash
Cash or Bank Account is mandatory for making payment entry,Kas atau Rekening Bank wajib untuk membuat entri pembayaran
Cash/Bank Account,Rekening Kas / Bank
Casual Leave,Santai Cuti
@ -594,7 +594,7 @@ Contact master.,Kontak utama.
Contacts,Kontak
Content,Isi Halaman
Content Type,Content Type
Contra Voucher,Contra Voucher
Contra Entry,Contra Entry
Contract,Kontrak
Contract End Date,Tanggal Kontrak End
Contract End Date must be greater than Date of Joining,Kontrak Tanggal Akhir harus lebih besar dari Tanggal Bergabung
@ -625,7 +625,7 @@ Country,Negara
Country Name,Nama Negara
Country wise default Address Templates,Negara bijaksana Alamat bawaan Template
"Country, Timezone and Currency","Country, Timezone dan Mata Uang"
Create Bank Voucher for the total salary paid for the above selected criteria,Buat Bank Voucher untuk gaji total yang dibayarkan untuk kriteria pilihan di atas
Create Bank Entry for the total salary paid for the above selected criteria,Buat Bank Entry untuk gaji total yang dibayarkan untuk kriteria pilihan di atas
Create Customer,Buat Pelanggan
Create Material Requests,Buat Permintaan Material
Create New,Buat New
@ -647,7 +647,7 @@ Credentials,Surat kepercayaan
Credit,Piutang
Credit Amt,Kredit Jumlah Yang
Credit Card,Kartu Kredit
Credit Card Voucher,Voucher Kartu Kredit
Credit Card Entry,Voucher Kartu Kredit
Credit Controller,Kontroler Kredit
Credit Days,Hari Kredit
Credit Limit,Batas Kredit
@ -979,7 +979,7 @@ Excise Duty @ 8,Cukai Duty @ 8
Excise Duty Edu Cess 2,Cukai Edu Cess 2
Excise Duty SHE Cess 1,Cukai SHE Cess 1
Excise Page Number,Jumlah Cukai Halaman
Excise Voucher,Voucher Cukai
Excise Entry,Voucher Cukai
Execution,Eksekusi
Executive Search,Pencarian eksekutif
Exemption Limit,Batas Pembebasan
@ -1327,7 +1327,7 @@ Invoice Period From,Faktur Periode Dari
Invoice Period From and Invoice Period To dates mandatory for recurring invoice,Faktur Periode Dari dan Faktur Period Untuk tanggal wajib untuk berulang faktur
Invoice Period To,Periode Faktur Untuk
Invoice Type,Invoice Type
Invoice/Journal Voucher Details,Invoice / Journal Entry Account
Invoice/Journal Entry Details,Invoice / Journal Entry Account
Invoiced Amount (Exculsive Tax),Faktur Jumlah (Pajak exculsive)
Is Active,Aktif
Is Advance,Apakah Muka
@ -1457,11 +1457,11 @@ Job Title,Jabatan
Jobs Email Settings,Pengaturan Jobs Email
Journal Entries,Entries Journal
Journal Entry,Jurnal Entri
Journal Voucher,Journal Voucher
Journal Entry Account,Journal Voucher Detil
Journal Entry Account No,Journal Voucher Detil ada
Journal Voucher {0} does not have account {1} or already matched,Journal Voucher {0} tidak memiliki akun {1} atau sudah cocok
Journal Vouchers {0} are un-linked,Journal Voucher {0} yang un-linked
Journal Entry,Journal Entry
Journal Entry Account,Journal Entry Detil
Journal Entry Account No,Journal Entry Detil ada
Journal Entry {0} does not have account {1} or already matched,Journal Entry {0} tidak memiliki akun {1} atau sudah cocok
Journal Entries {0} are un-linked,Journal Entry {0} yang un-linked
Keep a track of communication related to this enquiry which will help for future reference.,Menyimpan melacak komunikasi yang berkaitan dengan penyelidikan ini yang akan membantu untuk referensi di masa mendatang.
Keep it web friendly 900px (w) by 100px (h),Simpan web 900px ramah (w) oleh 100px (h)
Key Performance Area,Key Bidang Kinerja
@ -1576,7 +1576,7 @@ Maintenance start date can not be before delivery date for Serial No {0},Tanggal
Major/Optional Subjects,Mayor / Opsional Subjek
Make ,Make
Make Accounting Entry For Every Stock Movement,Membuat Entri Akuntansi Untuk Setiap Gerakan Stock
Make Bank Voucher,Membuat Bank Voucher
Make Bank Entry,Membuat Bank Entry
Make Credit Note,Membuat Nota Kredit
Make Debit Note,Membuat Debit Note
Make Delivery,Membuat Pengiriman
@ -3096,7 +3096,7 @@ Update Series,Pembaruan Series
Update Series Number,Pembaruan Series Number
Update Stock,Perbarui Stock
Update bank payment dates with journals.,Perbarui tanggal pembayaran bank dengan jurnal.
Update clearance date of Journal Entries marked as 'Bank Vouchers',Tanggal pembaruan clearance Entries Journal ditandai sebagai 'Bank Voucher'
Update clearance date of Journal Entries marked as 'Bank Entry',Tanggal pembaruan clearance Entries Journal ditandai sebagai 'Bank Entry'
Updated,Diperbarui
Updated Birthday Reminders,Diperbarui Ulang Tahun Pengingat
Upload Attendance,Upload Kehadiran
@ -3234,7 +3234,7 @@ Write Off Amount <=,Menulis Off Jumlah <=
Write Off Based On,Menulis Off Berbasis On
Write Off Cost Center,Menulis Off Biaya Pusat
Write Off Outstanding Amount,Menulis Off Jumlah Outstanding
Write Off Voucher,Menulis Off Voucher
Write Off Entry,Menulis Off Voucher
Wrong Template: Unable to find head row.,Template yang salah: Tidak dapat menemukan baris kepala.
Year,Tahun
Year Closed,Tahun Ditutup
@ -3252,7 +3252,7 @@ You can enter any date manually,Anda dapat memasukkan setiap tanggal secara manu
You can enter the minimum quantity of this item to be ordered.,Anda dapat memasukkan jumlah minimum dari item ini yang akan dipesan.
You can not change rate if BOM mentioned agianst any item,Anda tidak dapat mengubah tingkat jika BOM disebutkan agianst item
You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,Anda tidak dapat memasukkan kedua Delivery Note ada dan Faktur Penjualan No Masukkan salah satu.
You can not enter current voucher in 'Against Journal Voucher' column,Anda tidak bisa masuk voucher saat ini di 'Melawan Journal Voucher' kolom
You can not enter current voucher in 'Against Journal Entry' column,Anda tidak bisa masuk voucher saat ini di 'Melawan Journal Entry' kolom
You can set Default Bank Account in Company master,Anda dapat mengatur default Bank Account menguasai Perusahaan
You can start by selecting backup frequency and granting access for sync,Anda dapat memulai dengan memilih frekuensi backup dan memberikan akses untuk sinkronisasi
You can submit this Stock Reconciliation.,Anda bisa mengirimkan ini Stock Rekonsiliasi.

1 (Half Day) (Half Day)
152 Against Document No Melawan Dokumen Tidak
153 Against Expense Account Terhadap Beban Akun
154 Against Income Account Terhadap Akun Penghasilan
155 Against Journal Voucher Against Journal Entry Melawan Journal Voucher Melawan Journal Entry
156 Against Journal Voucher {0} does not have any unmatched {1} entry Against Journal Entry {0} does not have any unmatched {1} entry Terhadap Journal Voucher {0} tidak memiliki tertandingi {1} entri Terhadap Journal Entry {0} tidak memiliki tertandingi {1} entri
157 Against Purchase Invoice Terhadap Purchase Invoice
158 Against Sales Invoice Terhadap Faktur Penjualan
159 Against Sales Order Terhadap Sales Order
335 Bank Reconciliation 5. Bank Reconciliation (Rekonsiliasi Bank)
336 Bank Reconciliation Detail Rekonsiliasi Bank Detil
337 Bank Reconciliation Statement Pernyataan Bank Rekonsiliasi
338 Bank Voucher Bank Entry Bank Voucher Bank Entry
339 Bank/Cash Balance Bank / Cash Balance
340 Banking Perbankan
341 Barcode barcode
470 Case No. cannot be 0 Kasus No tidak bisa 0
471 Cash kas
472 Cash In Hand Cash In Hand
473 Cash Voucher Cash Entry Voucher Cash
474 Cash or Bank Account is mandatory for making payment entry Kas atau Rekening Bank wajib untuk membuat entri pembayaran
475 Cash/Bank Account Rekening Kas / Bank
476 Casual Leave Santai Cuti
594 Contacts Kontak
595 Content Isi Halaman
596 Content Type Content Type
597 Contra Voucher Contra Entry Contra Voucher Contra Entry
598 Contract Kontrak
599 Contract End Date Tanggal Kontrak End
600 Contract End Date must be greater than Date of Joining Kontrak Tanggal Akhir harus lebih besar dari Tanggal Bergabung
625 Country Name Nama Negara
626 Country wise default Address Templates Negara bijaksana Alamat bawaan Template
627 Country, Timezone and Currency Country, Timezone dan Mata Uang
628 Create Bank Voucher for the total salary paid for the above selected criteria Create Bank Entry for the total salary paid for the above selected criteria Buat Bank Voucher untuk gaji total yang dibayarkan untuk kriteria pilihan di atas Buat Bank Entry untuk gaji total yang dibayarkan untuk kriteria pilihan di atas
629 Create Customer Buat Pelanggan
630 Create Material Requests Buat Permintaan Material
631 Create New Buat New
647 Credit Piutang
648 Credit Amt Kredit Jumlah Yang
649 Credit Card Kartu Kredit
650 Credit Card Voucher Credit Card Entry Voucher Kartu Kredit
651 Credit Controller Kontroler Kredit
652 Credit Days Hari Kredit
653 Credit Limit Batas Kredit
979 Excise Duty Edu Cess 2 Cukai Edu Cess 2
980 Excise Duty SHE Cess 1 Cukai SHE Cess 1
981 Excise Page Number Jumlah Cukai Halaman
982 Excise Voucher Excise Entry Voucher Cukai
983 Execution Eksekusi
984 Executive Search Pencarian eksekutif
985 Exemption Limit Batas Pembebasan
1327 Invoice Period From and Invoice Period To dates mandatory for recurring invoice Faktur Periode Dari dan Faktur Period Untuk tanggal wajib untuk berulang faktur
1328 Invoice Period To Periode Faktur Untuk
1329 Invoice Type Invoice Type
1330 Invoice/Journal Voucher Details Invoice/Journal Entry Details Invoice / Journal Entry Account
1331 Invoiced Amount (Exculsive Tax) Faktur Jumlah (Pajak exculsive)
1332 Is Active Aktif
1333 Is Advance Apakah Muka
1457 Jobs Email Settings Pengaturan Jobs Email
1458 Journal Entries Entries Journal
1459 Journal Entry Jurnal Entri
1460 Journal Voucher Journal Entry Journal Voucher Journal Entry
1461 Journal Entry Account Journal Voucher Detil Journal Entry Detil
1462 Journal Entry Account No Journal Voucher Detil ada Journal Entry Detil ada
1463 Journal Voucher {0} does not have account {1} or already matched Journal Entry {0} does not have account {1} or already matched Journal Voucher {0} tidak memiliki akun {1} atau sudah cocok Journal Entry {0} tidak memiliki akun {1} atau sudah cocok
1464 Journal Vouchers {0} are un-linked Journal Entries {0} are un-linked Journal Voucher {0} yang un-linked Journal Entry {0} yang un-linked
1465 Keep a track of communication related to this enquiry which will help for future reference. Menyimpan melacak komunikasi yang berkaitan dengan penyelidikan ini yang akan membantu untuk referensi di masa mendatang.
1466 Keep it web friendly 900px (w) by 100px (h) Simpan web 900px ramah (w) oleh 100px (h)
1467 Key Performance Area Key Bidang Kinerja
1576 Major/Optional Subjects Mayor / Opsional Subjek
1577 Make Make
1578 Make Accounting Entry For Every Stock Movement Membuat Entri Akuntansi Untuk Setiap Gerakan Stock
1579 Make Bank Voucher Make Bank Entry Membuat Bank Voucher Membuat Bank Entry
1580 Make Credit Note Membuat Nota Kredit
1581 Make Debit Note Membuat Debit Note
1582 Make Delivery Membuat Pengiriman
3096 Update Series Number Pembaruan Series Number
3097 Update Stock Perbarui Stock
3098 Update bank payment dates with journals. Perbarui tanggal pembayaran bank dengan jurnal.
3099 Update clearance date of Journal Entries marked as 'Bank Vouchers' Update clearance date of Journal Entries marked as 'Bank Entry' Tanggal pembaruan clearance Entries Journal ditandai sebagai 'Bank Voucher' Tanggal pembaruan clearance Entries Journal ditandai sebagai 'Bank Entry'
3100 Updated Diperbarui
3101 Updated Birthday Reminders Diperbarui Ulang Tahun Pengingat
3102 Upload Attendance Upload Kehadiran
3234 Write Off Based On Menulis Off Berbasis On
3235 Write Off Cost Center Menulis Off Biaya Pusat
3236 Write Off Outstanding Amount Menulis Off Jumlah Outstanding
3237 Write Off Voucher Write Off Entry Menulis Off Voucher
3238 Wrong Template: Unable to find head row. Template yang salah: Tidak dapat menemukan baris kepala.
3239 Year Tahun
3240 Year Closed Tahun Ditutup
3252 You can enter the minimum quantity of this item to be ordered. Anda dapat memasukkan jumlah minimum dari item ini yang akan dipesan.
3253 You can not change rate if BOM mentioned agianst any item Anda tidak dapat mengubah tingkat jika BOM disebutkan agianst item
3254 You can not enter both Delivery Note No and Sales Invoice No. Please enter any one. Anda tidak dapat memasukkan kedua Delivery Note ada dan Faktur Penjualan No Masukkan salah satu.
3255 You can not enter current voucher in 'Against Journal Voucher' column You can not enter current voucher in 'Against Journal Entry' column Anda tidak bisa masuk voucher saat ini di 'Melawan Journal Voucher' kolom Anda tidak bisa masuk voucher saat ini di 'Melawan Journal Entry' kolom
3256 You can set Default Bank Account in Company master Anda dapat mengatur default Bank Account menguasai Perusahaan
3257 You can start by selecting backup frequency and granting access for sync Anda dapat memulai dengan memilih frekuensi backup dan memberikan akses untuk sinkronisasi
3258 You can submit this Stock Reconciliation. Anda bisa mengirimkan ini Stock Rekonsiliasi.

View File

@ -152,8 +152,8 @@ Against Document Detail No,Per Dettagli Documento N
Against Document No,Per Documento N
Against Expense Account,Per Spesa Conto
Against Income Account,Per Reddito Conto
Against Journal Voucher,Per Buono Acquisto
Against Journal Voucher {0} does not have any unmatched {1} entry,Contro ufficiale Voucher {0} non ha alcun ineguagliata {1} entry
Against Journal Entry,Per Buono Acquisto
Against Journal Entry {0} does not have any unmatched {1} entry,Contro ufficiale Voucher {0} non ha alcun ineguagliata {1} entry
Against Purchase Invoice,Per Fattura Acquisto
Against Sales Invoice,Per Fattura Vendita
Against Sales Order,Contro Sales Order
@ -335,7 +335,7 @@ Bank Overdraft Account,Scoperto di conto bancario
Bank Reconciliation,Conciliazione Banca
Bank Reconciliation Detail,Dettaglio Riconciliazione Banca
Bank Reconciliation Statement,Prospetto di Riconciliazione Banca
Bank Voucher,Buono Banca
Bank Entry,Buono Banca
Bank/Cash Balance,Banca/Contanti Saldo
Banking,bancario
Barcode,Codice a barre
@ -470,7 +470,7 @@ Case No(s) already in use. Try from Case No {0},Caso n ( s) già in uso . Prova
Case No. cannot be 0,Caso No. Non può essere 0
Cash,Contante
Cash In Hand,Cash In Hand
Cash Voucher,Buono Contanti
Cash Entry,Buono Contanti
Cash or Bank Account is mandatory for making payment entry,Contanti o conto bancario è obbligatoria per effettuare il pagamento voce
Cash/Bank Account,Conto Contanti/Banca
Casual Leave,Casual Leave
@ -594,7 +594,7 @@ Contact master.,Contatto master.
Contacts,Contatti
Content,Contenuto
Content Type,Tipo Contenuto
Contra Voucher,Contra Voucher
Contra Entry,Contra Entry
Contract,contratto
Contract End Date,Data fine Contratto
Contract End Date must be greater than Date of Joining,Data fine contratto deve essere maggiore di Data di giunzione
@ -625,7 +625,7 @@ Country,Nazione
Country Name,Nome Nazione
Country wise default Address Templates,Modelli Country saggio di default Indirizzo
"Country, Timezone and Currency","Paese , Fuso orario e valuta"
Create Bank Voucher for the total salary paid for the above selected criteria,Crea Buono Bancario per il totale dello stipendio da pagare per i seguenti criteri
Create Bank Entry for the total salary paid for the above selected criteria,Crea Buono Bancario per il totale dello stipendio da pagare per i seguenti criteri
Create Customer,Crea clienti
Create Material Requests,Creare Richieste Materiale
Create New,Crea nuovo
@ -647,7 +647,7 @@ Credentials,Credenziali
Credit,Credit
Credit Amt,Credit Amt
Credit Card,carta di credito
Credit Card Voucher,Carta Buono di credito
Credit Card Entry,Carta Buono di credito
Credit Controller,Controllare Credito
Credit Days,Giorni Credito
Credit Limit,Limite Credito
@ -979,7 +979,7 @@ Excise Duty @ 8,Excise Duty @ 8
Excise Duty Edu Cess 2,Excise Duty Edu Cess 2
Excise Duty SHE Cess 1,Excise Duty SHE Cess 1
Excise Page Number,Accise Numero Pagina
Excise Voucher,Buono Accise
Excise Entry,Buono Accise
Execution,esecuzione
Executive Search,executive Search
Exemption Limit,Limite Esenzione
@ -1327,7 +1327,7 @@ Invoice Period From,Fattura Periodo Da
Invoice Period From and Invoice Period To dates mandatory for recurring invoice,Fattura Periodo Da e fattura Periodo Per le date obbligatorie per la fattura ricorrenti
Invoice Period To,Periodo fattura per
Invoice Type,Tipo Fattura
Invoice/Journal Voucher Details,Fattura / Journal Voucher Dettagli
Invoice/Journal Entry Details,Fattura / Journal Entry Dettagli
Invoiced Amount (Exculsive Tax),Importo fatturato ( Exculsive Tax)
Is Active,È attivo
Is Advance,È Advance
@ -1457,11 +1457,11 @@ Job Title,Professione
Jobs Email Settings,Impostazioni email Lavoro
Journal Entries,Prime note
Journal Entry,Journal Entry
Journal Voucher,Journal Voucher
Journal Entry,Journal Entry
Journal Entry Account,Journal Entry Account
Journal Entry Account No,Journal Entry Account No
Journal Voucher {0} does not have account {1} or already matched,Journal Voucher {0} non ha conto {1} o già abbinate
Journal Vouchers {0} are un-linked,Diario Buoni {0} sono non- linked
Journal Entry {0} does not have account {1} or already matched,Journal Entry {0} non ha conto {1} o già abbinate
Journal Entries {0} are un-linked,Diario Buoni {0} sono non- linked
Keep a track of communication related to this enquiry which will help for future reference.,Tenere una traccia delle comunicazioni relative a questa indagine che contribuirà per riferimento futuro.
Keep it web friendly 900px (w) by 100px (h),Keep it web amichevole 900px ( w ) di 100px ( h )
Key Performance Area,Area Key Performance
@ -1576,7 +1576,7 @@ Maintenance start date can not be before delivery date for Serial No {0},Manuten
Major/Optional Subjects,Principali / Opzionale Soggetti
Make ,Make
Make Accounting Entry For Every Stock Movement,Fai Entry Accounting per ogni Archivio Movimento
Make Bank Voucher,Fai Voucher Banca
Make Bank Entry,Fai Voucher Banca
Make Credit Note,Fai la nota di credito
Make Debit Note,Fai la nota di addebito
Make Delivery,effettuare la consegna
@ -3096,7 +3096,7 @@ Update Series,Update
Update Series Number,Aggiornamento Numero di Serie
Update Stock,Aggiornare Archivio
Update bank payment dates with journals.,Risale aggiornamento versamento bancario con riviste.
Update clearance date of Journal Entries marked as 'Bank Vouchers',"Data di aggiornamento della respinta corta di voci di diario contrassegnato come "" Buoni Banca '"
Update clearance date of Journal Entries marked as 'Bank Entry',"Data di aggiornamento della respinta corta di voci di diario contrassegnato come "" Buoni Banca '"
Updated,Aggiornato
Updated Birthday Reminders,Aggiornato Compleanno Promemoria
Upload Attendance,Carica presenze
@ -3234,7 +3234,7 @@ Write Off Amount <=,Scrivi Off Importo &lt;=
Write Off Based On,Scrivi Off Basato Su
Write Off Cost Center,Scrivi Off Centro di costo
Write Off Outstanding Amount,Scrivi Off eccezionale Importo
Write Off Voucher,Scrivi Off Voucher
Write Off Entry,Scrivi Off Voucher
Wrong Template: Unable to find head row.,Template Sbagliato: Impossibile trovare la linea di testa.
Year,Anno
Year Closed,Anno Chiuso
@ -3252,7 +3252,7 @@ You can enter any date manually,È possibile immettere qualsiasi data manualment
You can enter the minimum quantity of this item to be ordered.,È possibile inserire la quantità minima di questo oggetto da ordinare.
You can not change rate if BOM mentioned agianst any item,Non è possibile modificare tariffa se BOM menzionato agianst tutto l'articolo
You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,Non è possibile inserire sia Consegna Nota n e Fattura n Inserisci nessuno.
You can not enter current voucher in 'Against Journal Voucher' column,Non è possibile immettere voucher di corrente in ' Contro ufficiale Voucher ' colonna
You can not enter current voucher in 'Against Journal Entry' column,Non è possibile immettere voucher di corrente in ' Contro ufficiale Voucher ' colonna
You can set Default Bank Account in Company master,È possibile impostare di default conto bancario in master Società
You can start by selecting backup frequency and granting access for sync,È possibile avviare selezionando la frequenza di backup e di concedere l'accesso per la sincronizzazione
You can submit this Stock Reconciliation.,Puoi inviare questo Archivio Riconciliazione.

1 (Half Day) (Mezza Giornata)
152 Against Document No Per Documento N
153 Against Expense Account Per Spesa Conto
154 Against Income Account Per Reddito Conto
155 Against Journal Voucher Against Journal Entry Per Buono Acquisto
156 Against Journal Voucher {0} does not have any unmatched {1} entry Against Journal Entry {0} does not have any unmatched {1} entry Contro ufficiale Voucher {0} non ha alcun ineguagliata {1} entry
157 Against Purchase Invoice Per Fattura Acquisto
158 Against Sales Invoice Per Fattura Vendita
159 Against Sales Order Contro Sales Order
335 Bank Reconciliation Conciliazione Banca
336 Bank Reconciliation Detail Dettaglio Riconciliazione Banca
337 Bank Reconciliation Statement Prospetto di Riconciliazione Banca
338 Bank Voucher Bank Entry Buono Banca
339 Bank/Cash Balance Banca/Contanti Saldo
340 Banking bancario
341 Barcode Codice a barre
470 Case No. cannot be 0 Caso No. Non può essere 0
471 Cash Contante
472 Cash In Hand Cash In Hand
473 Cash Voucher Cash Entry Buono Contanti
474 Cash or Bank Account is mandatory for making payment entry Contanti o conto bancario è obbligatoria per effettuare il pagamento voce
475 Cash/Bank Account Conto Contanti/Banca
476 Casual Leave Casual Leave
594 Contacts Contatti
595 Content Contenuto
596 Content Type Tipo Contenuto
597 Contra Voucher Contra Entry Contra Voucher Contra Entry
598 Contract contratto
599 Contract End Date Data fine Contratto
600 Contract End Date must be greater than Date of Joining Data fine contratto deve essere maggiore di Data di giunzione
625 Country Name Nome Nazione
626 Country wise default Address Templates Modelli Country saggio di default Indirizzo
627 Country, Timezone and Currency Paese , Fuso orario e valuta
628 Create Bank Voucher for the total salary paid for the above selected criteria Create Bank Entry for the total salary paid for the above selected criteria Crea Buono Bancario per il totale dello stipendio da pagare per i seguenti criteri
629 Create Customer Crea clienti
630 Create Material Requests Creare Richieste Materiale
631 Create New Crea nuovo
647 Credit Credit
648 Credit Amt Credit Amt
649 Credit Card carta di credito
650 Credit Card Voucher Credit Card Entry Carta Buono di credito
651 Credit Controller Controllare Credito
652 Credit Days Giorni Credito
653 Credit Limit Limite Credito
979 Excise Duty Edu Cess 2 Excise Duty Edu Cess 2
980 Excise Duty SHE Cess 1 Excise Duty SHE Cess 1
981 Excise Page Number Accise Numero Pagina
982 Excise Voucher Excise Entry Buono Accise
983 Execution esecuzione
984 Executive Search executive Search
985 Exemption Limit Limite Esenzione
1327 Invoice Period From and Invoice Period To dates mandatory for recurring invoice Fattura Periodo Da e fattura Periodo Per le date obbligatorie per la fattura ricorrenti
1328 Invoice Period To Periodo fattura per
1329 Invoice Type Tipo Fattura
1330 Invoice/Journal Voucher Details Invoice/Journal Entry Details Fattura / Journal Voucher Dettagli Fattura / Journal Entry Dettagli
1331 Invoiced Amount (Exculsive Tax) Importo fatturato ( Exculsive Tax)
1332 Is Active È attivo
1333 Is Advance È Advance
1457 Jobs Email Settings Impostazioni email Lavoro
1458 Journal Entries Prime note
1459 Journal Entry Journal Entry
1460 Journal Voucher Journal Entry Journal Voucher Journal Entry
1461 Journal Entry Account Journal Entry Account
1462 Journal Entry Account No Journal Entry Account No
1463 Journal Voucher {0} does not have account {1} or already matched Journal Entry {0} does not have account {1} or already matched Journal Voucher {0} non ha conto {1} o già abbinate Journal Entry {0} non ha conto {1} o già abbinate
1464 Journal Vouchers {0} are un-linked Journal Entries {0} are un-linked Diario Buoni {0} sono non- linked
1465 Keep a track of communication related to this enquiry which will help for future reference. Tenere una traccia delle comunicazioni relative a questa indagine che contribuirà per riferimento futuro.
1466 Keep it web friendly 900px (w) by 100px (h) Keep it web amichevole 900px ( w ) di 100px ( h )
1467 Key Performance Area Area Key Performance
1576 Major/Optional Subjects Principali / Opzionale Soggetti
1577 Make Make
1578 Make Accounting Entry For Every Stock Movement Fai Entry Accounting per ogni Archivio Movimento
1579 Make Bank Voucher Make Bank Entry Fai Voucher Banca
1580 Make Credit Note Fai la nota di credito
1581 Make Debit Note Fai la nota di addebito
1582 Make Delivery effettuare la consegna
3096 Update Series Number Aggiornamento Numero di Serie
3097 Update Stock Aggiornare Archivio
3098 Update bank payment dates with journals. Risale aggiornamento versamento bancario con riviste.
3099 Update clearance date of Journal Entries marked as 'Bank Vouchers' Update clearance date of Journal Entries marked as 'Bank Entry' Data di aggiornamento della respinta corta di voci di diario contrassegnato come " Buoni Banca '
3100 Updated Aggiornato
3101 Updated Birthday Reminders Aggiornato Compleanno Promemoria
3102 Upload Attendance Carica presenze
3234 Write Off Based On Scrivi Off Basato Su
3235 Write Off Cost Center Scrivi Off Centro di costo
3236 Write Off Outstanding Amount Scrivi Off eccezionale Importo
3237 Write Off Voucher Write Off Entry Scrivi Off Voucher
3238 Wrong Template: Unable to find head row. Template Sbagliato: Impossibile trovare la linea di testa.
3239 Year Anno
3240 Year Closed Anno Chiuso
3252 You can enter the minimum quantity of this item to be ordered. È possibile inserire la quantità minima di questo oggetto da ordinare.
3253 You can not change rate if BOM mentioned agianst any item Non è possibile modificare tariffa se BOM menzionato agianst tutto l'articolo
3254 You can not enter both Delivery Note No and Sales Invoice No. Please enter any one. Non è possibile inserire sia Consegna Nota n e Fattura n Inserisci nessuno.
3255 You can not enter current voucher in 'Against Journal Voucher' column You can not enter current voucher in 'Against Journal Entry' column Non è possibile immettere voucher di corrente in ' Contro ufficiale Voucher ' colonna
3256 You can set Default Bank Account in Company master È possibile impostare di default conto bancario in master Società
3257 You can start by selecting backup frequency and granting access for sync È possibile avviare selezionando la frequenza di backup e di concedere l'accesso per la sincronizzazione
3258 You can submit this Stock Reconciliation. Puoi inviare questo Archivio Riconciliazione.

View File

@ -152,8 +152,8 @@ Against Document Detail No,ドキュメントの詳細に対して何
Against Document No,ドキュメントNoに対する
Against Expense Account,費用勘定に対する
Against Income Account,所得収支に対する
Against Journal Voucher,ジャーナルバウチャーに対する
Against Journal Voucher {0} does not have any unmatched {1} entry,ジャーナルバウチャーに対して{0}は、比類のない{1}のエントリがありません
Against Journal Entry,ジャーナルバウチャーに対する
Against Journal Entry {0} does not have any unmatched {1} entry,ジャーナルバウチャーに対して{0}は、比類のない{1}のエントリがありません
Against Purchase Invoice,購入の請求書に対する
Against Sales Invoice,納品書に対する
Against Sales Order,受注に対する
@ -335,7 +335,7 @@ Bank Overdraft Account,銀行当座貸越口座
Bank Reconciliation,銀行和解
Bank Reconciliation Detail,銀行和解の詳細
Bank Reconciliation Statement,銀行和解声明
Bank Voucher,銀行の領収書
Bank Entry,銀行の領収書
Bank/Cash Balance,銀行/現金残高
Banking,銀行業務
Barcode,バーコード
@ -470,7 +470,7 @@ Case No(s) already in use. Try from Case No {0},ケースなしS )は既に
Case No. cannot be 0,ケース番号は0にすることはできません
Cash,現金
Cash In Hand,手持ちの現金
Cash Voucher,金券
Cash Entry,金券
Cash or Bank Account is mandatory for making payment entry,現金または銀行口座は、支払いのエントリを作成するための必須です
Cash/Bank Account,現金/銀行口座
Casual Leave,臨時休暇
@ -594,7 +594,7 @@ Contact master.,連絡先マスター。
Contacts,連絡先
Content,内容
Content Type,コンテンツの種類
Contra Voucher,コントラバウチャー
Contra Entry,コントラバウチャー
Contract,契約書
Contract End Date,契約終了日
Contract End Date must be greater than Date of Joining,契約終了日は、参加の日よりも大きくなければならない
@ -625,7 +625,7 @@ Country,国
Country Name,国名
Country wise default Address Templates,国ごとのデフォルトのアドレス·テンプレート
"Country, Timezone and Currency",国、タイムゾーンと通貨
Create Bank Voucher for the total salary paid for the above selected criteria,上で選択した基準に支払わ総給与のために銀行券を作成
Create Bank Entry for the total salary paid for the above selected criteria,上で選択した基準に支払わ総給与のために銀行券を作成
Create Customer,顧客を作成
Create Material Requests,素材の要求を作成
Create New,新規作成
@ -647,7 +647,7 @@ Credentials,Credentials
Credit,クレジット
Credit Amt,クレジットアマウント
Credit Card,クレジットカード
Credit Card Voucher,クレジットカードのバウチャー
Credit Card Entry,クレジットカードのバウチャー
Credit Controller,クレジットコントローラ
Credit Days,クレジット日数
Credit Limit,支払いの上限
@ -981,7 +981,7 @@ Excise Duty @ 8,8 @物品税
Excise Duty Edu Cess 2,物品税エドゥ目的税2
Excise Duty SHE Cess 1,物品税SHE目的税1
Excise Page Number,物品税ページ番号
Excise Voucher,物品税バウチャー
Excise Entry,物品税バウチャー
Execution,実行
Executive Search,エグゼクティブサーチ
Exemption Limit,免除の制限
@ -1329,7 +1329,7 @@ Invoice Period From,より請求書期間
Invoice Period From and Invoice Period To dates mandatory for recurring invoice,請求書を定期的に必須の日付へと請求期間からの請求書の期間
Invoice Period To,請求書の期間
Invoice Type,請求書の種類
Invoice/Journal Voucher Details,請求書/ジャーナルクーポン詳細
Invoice/Journal Entry Details,請求書/ジャーナルクーポン詳細
Invoiced Amount (Exculsive Tax),請求された金額Exculsive税
Is Active,アクティブである
Is Advance,進歩である
@ -1459,11 +1459,11 @@ Job Title,職業名
Jobs Email Settings,仕事のメール設定
Journal Entries,仕訳
Journal Entry,仕訳
Journal Voucher,伝票
Journal Entry,伝票
Journal Entry Account,伝票の詳細
Journal Entry Account No,伝票の詳細番号
Journal Voucher {0} does not have account {1} or already matched,伝票は{0}アカウントを持っていない{1}、またはすでに一致
Journal Vouchers {0} are un-linked,ジャーナルバウチャー{0}アンリンクされている
Journal Entry {0} does not have account {1} or already matched,伝票は{0}アカウントを持っていない{1}、またはすでに一致
Journal Entries {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(w)100px(h)にすることで適用それを維持する。
Key Performance Area,重要実行分野
@ -1578,7 +1578,7 @@ Maintenance start date can not be before delivery date for Serial No {0},メン
Major/Optional Subjects,大手/オプション科目
Make ,作成する
Make Accounting Entry For Every Stock Movement,すべての株式の動きの会計処理のエントリを作成
Make Bank Voucher,銀行バウチャーを作る
Make Bank Entry,銀行バウチャーを作る
Make Credit Note,クレジットメモしておきます
Make Debit Note,デビットメモしておきます
Make Delivery,配達をする
@ -3103,7 +3103,7 @@ Update Series,シリーズの更新
Update Series Number,シリーズ番号の更新
Update Stock,在庫の更新
Update bank payment dates with journals.,銀行支払日と履歴を更新して下さい。
Update clearance date of Journal Entries marked as 'Bank Vouchers',履歴欄を「銀行決済」と明記してクリアランス日(清算日)を更新して下さい。
Update clearance date of Journal Entries marked as 'Bank Entry',履歴欄を「銀行決済」と明記してクリアランス日(清算日)を更新して下さい。
Updated,更新済み
Updated Birthday Reminders,誕生日の事前通知の更新完了
Upload Attendance,参加者をアップロードする。(参加者をメインのコンピューターに送る。)
@ -3243,7 +3243,7 @@ Write Off Amount <=,金額を償却<=
Write Off Based On,ベースオンを償却
Write Off Cost Center,原価の事業経費
Write Off Outstanding Amount,事業経費未払金額
Write Off Voucher,事業経費領収書
Write Off Entry,事業経費領収書
Wrong Template: Unable to find head row.,間違ったテンプレートです。:見出し/最初の行が見つかりません。
Year,
Year Closed,年間休館
@ -3262,7 +3262,7 @@ You can enter any date manually,手動で日付を入力することができま
You can enter the minimum quantity of this item to be ordered.,最小限の数量からこの商品を注文することができます
You can not change rate if BOM mentioned agianst any item,部品表が否認した商品は、料金を変更することができません
You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,納品書と売上請求書の両方を入力することはできません。どちらら一つを記入して下さい
You can not enter current voucher in 'Against Journal Voucher' column,''アゲンストジャーナルバウチャー’’の欄に、最新の領収証を入力することはできません。
You can not enter current voucher in 'Against Journal Entry' column,''アゲンストジャーナルバウチャー’’の欄に、最新の領収証を入力することはできません。
You can set Default Bank Account in Company master,あなたは、会社のマスターにメイン銀行口座を設定することができます
You can start by selecting backup frequency and granting access for sync,バックアップの頻度を選択し、同期するためのアクセスに承諾することで始めることができます
You can submit this Stock Reconciliation.,あなたは、この株式調整を提出することができます。

1 (Half Day) (Half Day)
152 Against Document No ドキュメントNoに対する
153 Against Expense Account 費用勘定に対する
154 Against Income Account 所得収支に対する
155 Against Journal Voucher Against Journal Entry ジャーナルバウチャーに対する
156 Against Journal Voucher {0} does not have any unmatched {1} entry Against Journal Entry {0} does not have any unmatched {1} entry ジャーナルバウチャーに対して{0}は、比類のない{1}のエントリがありません
157 Against Purchase Invoice 購入の請求書に対する
158 Against Sales Invoice 納品書に対する
159 Against Sales Order 受注に対する
335 Bank Reconciliation 銀行和解
336 Bank Reconciliation Detail 銀行和解の詳細
337 Bank Reconciliation Statement 銀行和解声明
338 Bank Voucher Bank Entry 銀行の領収書
339 Bank/Cash Balance 銀行/現金残高
340 Banking 銀行業務
341 Barcode バーコード
470 Case No. cannot be 0 ケース番号は0にすることはできません
471 Cash 現金
472 Cash In Hand 手持ちの現金
473 Cash Voucher Cash Entry 金券
474 Cash or Bank Account is mandatory for making payment entry 現金または銀行口座は、支払いのエントリを作成するための必須です
475 Cash/Bank Account 現金/銀行口座
476 Casual Leave 臨時休暇
594 Contacts 連絡先
595 Content 内容
596 Content Type コンテンツの種類
597 Contra Voucher Contra Entry コントラバウチャー
598 Contract 契約書
599 Contract End Date 契約終了日
600 Contract End Date must be greater than Date of Joining 契約終了日は、参加の日よりも大きくなければならない
625 Country Name 国名
626 Country wise default Address Templates 国ごとのデフォルトのアドレス·テンプレート
627 Country, Timezone and Currency 国、タイムゾーンと通貨
628 Create Bank Voucher for the total salary paid for the above selected criteria Create Bank Entry for the total salary paid for the above selected criteria 上で選択した基準に支払わ総給与のために銀行券を作成
629 Create Customer 顧客を作成
630 Create Material Requests 素材の要求を作成
631 Create New 新規作成
647 Credit クレジット
648 Credit Amt クレジットアマウント
649 Credit Card クレジットカード
650 Credit Card Voucher Credit Card Entry クレジットカードのバウチャー
651 Credit Controller クレジットコントローラ
652 Credit Days クレジット日数
653 Credit Limit 支払いの上限
981 Excise Page Number 物品税ページ番号
982 Excise Voucher Excise Entry 物品税バウチャー
983 Execution 実行
984 Executive Search エグゼクティブサーチ
985 Exemption Limit 免除の制限
986 Exhibition 展示会
987 Existing Customer 既存の顧客
1329 Invoice Type 請求書の種類
1330 Invoice/Journal Voucher Details Invoice/Journal Entry Details 請求書/ジャーナルクーポン詳細
1331 Invoiced Amount (Exculsive Tax) 請求された金額(Exculsive税)
1332 Is Active アクティブである
1333 Is Advance 進歩である
1334 Is Cancelled キャンセルされる
1335 Is Carry Forward 繰越されている
1459 Journal Entry 仕訳
1460 Journal Voucher Journal Entry 伝票
1461 Journal Entry Account 伝票の詳細
1462 Journal Entry Account No 伝票の詳細番号
1463 Journal Voucher {0} does not have account {1} or already matched Journal Entry {0} does not have account {1} or already matched 伝票は{0}アカウントを持っていない{1}、またはすでに一致
1464 Journal Vouchers {0} are un-linked Journal Entries {0} are un-linked ジャーナルバウチャー{0}アンリンクされている
1465 Keep a track of communication related to this enquiry which will help for future reference. 今後の参考のために役立ちます。この照会に関連した通信を追跡する。
1466 Keep it web friendly 900px (w) by 100px (h) 900px(w)100px(h)にすることで適用それを維持する。
1467 Key Performance Area 重要実行分野
1468 Key Responsibility Area 重要責任分野
1469 Kg キログラム
1578 Make Accounting Entry For Every Stock Movement すべての株式の動きの会計処理のエントリを作成
1579 Make Bank Voucher Make Bank Entry 銀行バウチャーを作る
1580 Make Credit Note クレジットメモしておきます
1581 Make Debit Note デビットメモしておきます
1582 Make Delivery 配達をする
1583 Make Difference Entry 違いエントリを作成
1584 Make Excise Invoice 消費税請求書を作る
3103 Upload Backups to Dropbox ドロップボックスへバックアップ(保存用控えデータ)をアップロードする。
3104 Upload Backups to Google Drive グーグルドライブ(グーグルのオンライン保管所)へバックアップ(保存用控えデータ)をアップロードする。
3105 Upload HTML HTML(ハイパテキストマーク付け言語)のアップロード。
3106 Upload a .csv file with two columns: the old name and the new name. Max 500 rows. 古い名前と新しい名前の2つのコラム(列)を持つCSV(点区切りのデータ)ファイルのアップロード。最大行数500行。
3107 Upload attendance from a .csv file csvファイル(点区切りのデータ)からの参加者をアップロードする。
3108 Upload stock balance via csv. CSVから在庫残高をアップロードします。
3109 Upload your letter head and logo - you can edit them later. レターヘッド(住所刷込みの書簡紙)とロゴのアップロード。 - 後に編集可能。
3243 Year Start Date 年間の開始日
3244 Year of Passing 渡すの年
3245 Yearly 毎年
3246 Yes はい
3247 You are not authorized to add or update entries before {0} {0}の前に入力を更新または追加する権限がありません。
3248 You are not authorized to set Frozen value あなたは冷凍値を設定する権限がありません
3249 You are the Expense Approver for this record. Please Update the 'Status' and Save あなたは、この記録の経費承認者です。情報を更新し、保存してください。
3262 You may need to update: {0} {0}を更新する必要があります
3263 You must Save the form before proceeding 続行する前に、フォーム(書式)を保存して下さい
3264 Your Customer's TAX registration numbers (if applicable) or any general information 顧客の税務登録番号(該当する場合)、または一般的な情報。
3265 Your Customers あなたの顧客
3266 Your Login Id あなたのログインID(プログラムに入るための身元証明のパスワード)
3267 Your Products or Services あなたの製品またはサービス
3268 Your Suppliers 納入/供給者 購入先

View File

@ -152,8 +152,8 @@ Against Document Detail No,ಡಾಕ್ಯುಮೆಂಟ್ ವಿವರ ವಿ
Against Document No,ಡಾಕ್ಯುಮೆಂಟ್ ನಂ ವಿರುದ್ಧ
Against Expense Account,ವೆಚ್ಚದಲ್ಲಿ ಖಾತೆಯನ್ನು ವಿರುದ್ಧ
Against Income Account,ಆದಾಯ ಖಾತೆ ವಿರುದ್ಧ
Against Journal Voucher,ಜರ್ನಲ್ ಚೀಟಿ ವಿರುದ್ಧ
Against Journal Voucher {0} does not have any unmatched {1} entry,ಜರ್ನಲ್ ಚೀಟಿ ವಿರುದ್ಧ {0} ಯಾವುದೇ ಸಾಟಿಯಿಲ್ಲದ {1} ದಾಖಲೆಗಳನ್ನು ಹೊಂದಿಲ್ಲ
Against Journal Entry,ಜರ್ನಲ್ ಚೀಟಿ ವಿರುದ್ಧ
Against Journal Entry {0} does not have any unmatched {1} entry,ಜರ್ನಲ್ ಚೀಟಿ ವಿರುದ್ಧ {0} ಯಾವುದೇ ಸಾಟಿಯಿಲ್ಲದ {1} ದಾಖಲೆಗಳನ್ನು ಹೊಂದಿಲ್ಲ
Against Purchase Invoice,ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ವಿರುದ್ಧ
Against Sales Invoice,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ವಿರುದ್ಧ
Against Sales Order,ಮಾರಾಟದ ಆದೇಶದ ವಿರುದ್ಧ
@ -335,7 +335,7 @@ Bank Overdraft Account,ಬ್ಯಾಂಕಿನ ಓವರ್ಡ್ರಾಫ್
Bank Reconciliation,ಬ್ಯಾಂಕ್ ಸಾಮರಸ್ಯ
Bank Reconciliation Detail,ಬ್ಯಾಂಕ್ ಸಾಮರಸ್ಯ ವಿವರ
Bank Reconciliation Statement,ಬ್ಯಾಂಕ್ ಸಾಮರಸ್ಯ ಹೇಳಿಕೆ
Bank Voucher,ಬ್ಯಾಂಕ್ ಚೀಟಿ
Bank Entry,ಬ್ಯಾಂಕ್ ಚೀಟಿ
Bank/Cash Balance,ಬ್ಯಾಂಕ್ / ನಗದು ಬ್ಯಾಲೆನ್ಸ್
Banking,ಲೇವಾದೇವಿ
Barcode,ಬಾರ್ಕೋಡ್
@ -470,7 +470,7 @@ Case No(s) already in use. Try from Case No {0},ಕೇಸ್ ಇಲ್ಲ (
Case No. cannot be 0,ಪ್ರಕರಣ ಸಂಖ್ಯೆ 0 ಸಾಧ್ಯವಿಲ್ಲ
Cash,ನಗದು
Cash In Hand,ಕೈಯಲ್ಲಿ ನಗದು
Cash Voucher,ನಗದು ಚೀಟಿ
Cash Entry,ನಗದು ಚೀಟಿ
Cash or Bank Account is mandatory for making payment entry,ನಗದು ಅಥವಾ ಬ್ಯಾಂಕ್ ಖಾತೆ ಪಾವತಿ ಪ್ರವೇಶ ಮಾಡುವ ಕಡ್ಡಾಯ
Cash/Bank Account,ನಗದು / ಬ್ಯಾಂಕ್ ಖಾತೆ
Casual Leave,ರಜೆ
@ -594,7 +594,7 @@ Contact master.,ಸಂಪರ್ಕಿಸಿ ಮಾಸ್ಟರ್ .
Contacts,ಸಂಪರ್ಕಗಳು
Content,ವಿಷಯ
Content Type,ವಿಷಯ ಪ್ರಕಾರ
Contra Voucher,ಕಾಂಟ್ರಾ ಚೀಟಿ
Contra Entry,ಕಾಂಟ್ರಾ ಚೀಟಿ
Contract,ಒಪ್ಪಂದ
Contract End Date,ಕಾಂಟ್ರಾಕ್ಟ್ ಎಂಡ್ ದಿನಾಂಕ
Contract End Date must be greater than Date of Joining,ಕಾಂಟ್ರಾಕ್ಟ್ ಎಂಡ್ ದಿನಾಂಕ ಸೇರುವ ದಿನಾಂಕ ಹೆಚ್ಚಿನ ಇರಬೇಕು
@ -625,7 +625,7 @@ Country,ದೇಶ
Country Name,ದೇಶದ ಹೆಸರು
Country wise default Address Templates,ದೇಶದ ಬುದ್ಧಿವಂತ ಡೀಫಾಲ್ಟ್ ವಿಳಾಸ ಟೆಂಪ್ಲೇಟ್ಗಳು
"Country, Timezone and Currency","ದೇಶ , ಕಾಲ ವಲಯ ಮತ್ತು ಕರೆನ್ಸಿ"
Create Bank Voucher for the total salary paid for the above selected criteria,ಮೇಲೆ ಆಯ್ಕೆ ಮಾನದಂಡಗಳನ್ನು ಒಟ್ಟು ವೇತನ ಬ್ಯಾಂಕ್ ಚೀಟಿ ರಚಿಸಿ
Create Bank Entry for the total salary paid for the above selected criteria,ಮೇಲೆ ಆಯ್ಕೆ ಮಾನದಂಡಗಳನ್ನು ಒಟ್ಟು ವೇತನ ಬ್ಯಾಂಕ್ ಚೀಟಿ ರಚಿಸಿ
Create Customer,ಗ್ರಾಹಕ ರಚಿಸಿ
Create Material Requests,CreateMaterial ವಿನಂತಿಗಳು
Create New,ಹೊಸ ರಚಿಸಿ
@ -647,7 +647,7 @@ Credentials,ರುಜುವಾತುಗಳು
Credit,ಕ್ರೆಡಿಟ್
Credit Amt,ಕ್ರೆಡಿಟ್ ಕಚೇರಿ
Credit Card,ಕ್ರೆಡಿಟ್ ಕಾರ್ಡ್
Credit Card Voucher,ಕ್ರೆಡಿಟ್ ಕಾರ್ಡ್ ಚೀಟಿ
Credit Card Entry,ಕ್ರೆಡಿಟ್ ಕಾರ್ಡ್ ಚೀಟಿ
Credit Controller,ಕ್ರೆಡಿಟ್ ನಿಯಂತ್ರಕ
Credit Days,ಕ್ರೆಡಿಟ್ ಡೇಸ್
Credit Limit,ಕ್ರೆಡಿಟ್ ಮಿತಿಯನ್ನು
@ -979,7 +979,7 @@ Excise Duty @ 8,8 @ ಅಬಕಾರಿ ಸುಂಕ
Excise Duty Edu Cess 2,ಅಬಕಾರಿ ಸುಂಕ ಶತಾವರಿ Cess 2
Excise Duty SHE Cess 1,ಅಬಕಾರಿ ಸುಂಕ ಶಿ Cess 1
Excise Page Number,ಅಬಕಾರಿ ಪುಟ ಸಂಖ್ಯೆ
Excise Voucher,ಅಬಕಾರಿ ಚೀಟಿ
Excise Entry,ಅಬಕಾರಿ ಚೀಟಿ
Execution,ಎಕ್ಸಿಕ್ಯೂಶನ್
Executive Search,ಕಾರ್ಯನಿರ್ವಾಹಕ ಹುಡುಕು
Exemption Limit,ವಿನಾಯಿತಿ ಮಿತಿಯನ್ನು
@ -1327,7 +1327,7 @@ Invoice Period From,ಗೆ ಸರಕುಪಟ್ಟಿ ಅವಧಿ
Invoice Period From and Invoice Period To dates mandatory for recurring invoice,ಸರಕುಪಟ್ಟಿ ಮತ್ತು ಅವಧಿಯ ಸರಕುಪಟ್ಟಿ ಮರುಕಳಿಸುವ ಕಡ್ಡಾಯವಾಗಿ ದಿನಾಂಕ ಸರಕುಪಟ್ಟಿ ಅವಧಿ
Invoice Period To,ಸರಕುಪಟ್ಟಿ ಅವಧಿ
Invoice Type,ಸರಕುಪಟ್ಟಿ ಪ್ರಕಾರ
Invoice/Journal Voucher Details,ಸರಕುಪಟ್ಟಿ / ಜರ್ನಲ್ ಚೀಟಿ ವಿವರಗಳು
Invoice/Journal Entry Details,ಸರಕುಪಟ್ಟಿ / ಜರ್ನಲ್ ಚೀಟಿ ವಿವರಗಳು
Invoiced Amount (Exculsive Tax),ಸರಕುಪಟ್ಟಿ ಪ್ರಮಾಣ ( ತೆರಿಗೆ Exculsive )
Is Active,ಸಕ್ರಿಯವಾಗಿದೆ
Is Advance,ಮುಂಗಡ ಹೊಂದಿದೆ
@ -1457,11 +1457,11 @@ Job Title,ಕೆಲಸದ ಶೀರ್ಷಿಕೆ
Jobs Email Settings,ಕೆಲಸ ಇಮೇಲ್ ಸೆಟ್ಟಿಂಗ್ಗಳನ್ನು
Journal Entries,ಜರ್ನಲ್ ನಮೂದುಗಳು
Journal Entry,ಜರ್ನಲ್ ಎಂಟ್ರಿ
Journal Voucher,ಜರ್ನಲ್ ಚೀಟಿ
Journal Entry,ಜರ್ನಲ್ ಚೀಟಿ
Journal Entry Account,ಜರ್ನಲ್ ಚೀಟಿ ವಿವರ
Journal Entry Account No,ಜರ್ನಲ್ ಚೀಟಿ ವಿವರ ನಂ
Journal Voucher {0} does not have account {1} or already matched,ಜರ್ನಲ್ ಚೀಟಿ {0} {1} ಖಾತೆಯನ್ನು ಅಥವಾ ಈಗಾಗಲೇ ದಾಖಲೆಗಳುಸರಿಹೊಂದಿವೆ ಇಲ್ಲ
Journal Vouchers {0} are un-linked,ಜರ್ನಲ್ ರಶೀದಿ {0} UN- ಲಿಂಕ್
Journal Entry {0} does not have account {1} or already matched,ಜರ್ನಲ್ ಚೀಟಿ {0} {1} ಖಾತೆಯನ್ನು ಅಥವಾ ಈಗಾಗಲೇ ದಾಖಲೆಗಳುಸರಿಹೊಂದಿವೆ ಇಲ್ಲ
Journal Entries {0} are un-linked,ಜರ್ನಲ್ ರಶೀದಿ {0} UN- ಲಿಂಕ್
Keep a track of communication related to this enquiry which will help for future reference.,ಭವಿಷ್ಯದ ಉಲ್ಲೇಖಕ್ಕಾಗಿ ಸಹಾಯ whichwill ಈ ವಿಚಾರಣೆ ಸಂಬಂಧಿಸಿದ ಸಂವಹನದ ಒಂದು ಜಾಡನ್ನು ಇರಿಸಿ.
Keep it web friendly 900px (w) by 100px (h),100px ವೆಬ್ ಸ್ನೇಹಿ 900px ( W ) ನೋಡಿಕೊಳ್ಳಿ ( H )
Key Performance Area,ಪ್ರಮುಖ ಸಾಧನೆ ಪ್ರದೇಶ
@ -1576,7 +1576,7 @@ Maintenance start date can not be before delivery date for Serial No {0},ನಿ
Major/Optional Subjects,ಮೇಜರ್ / ಐಚ್ಛಿಕ ವಿಷಯಗಳ
Make ,Make
Make Accounting Entry For Every Stock Movement,ಪ್ರತಿ ಸ್ಟಾಕ್ ಚಳುವಳಿ ಲೆಕ್ಕಪರಿಶೋಧಕ ಎಂಟ್ರಿ ಮಾಡಿ
Make Bank Voucher,ಬ್ಯಾಂಕ್ ಚೀಟಿ ಮಾಡಿ
Make Bank Entry,ಬ್ಯಾಂಕ್ ಚೀಟಿ ಮಾಡಿ
Make Credit Note,ಕ್ರೆಡಿಟ್ ಸ್ಕೋರ್ ಮಾಡಿ
Make Debit Note,ಡೆಬಿಟ್ ನೋಟ್ ಮಾಡಿ
Make Delivery,ಡೆಲಿವರಿ ಮಾಡಿ
@ -3096,7 +3096,7 @@ Update Series,ಅಪ್ಡೇಟ್ ಸರಣಿ
Update Series Number,ಅಪ್ಡೇಟ್ ಸರಣಿ ಸಂಖ್ಯೆ
Update Stock,ಸ್ಟಾಕ್ ನವೀಕರಿಸಲು
Update bank payment dates with journals.,ಜರ್ನಲ್ ಬ್ಯಾಂಕಿಂಗ್ ಪಾವತಿ ದಿನಾಂಕ ನವೀಕರಿಸಿ .
Update clearance date of Journal Entries marked as 'Bank Vouchers',ಜರ್ನಲ್ ನಮೂದುಗಳನ್ನು ಅಪ್ಡೇಟ್ ತೆರವು ದಿನಾಂಕ ' ಬ್ಯಾಂಕ್ ರಶೀದಿ ' ಎಂದು ಗುರುತಿಸಲಾಗಿದೆ
Update clearance date of Journal Entries marked as 'Bank Entry',ಜರ್ನಲ್ ನಮೂದುಗಳನ್ನು ಅಪ್ಡೇಟ್ ತೆರವು ದಿನಾಂಕ ' ಬ್ಯಾಂಕ್ ರಶೀದಿ ' ಎಂದು ಗುರುತಿಸಲಾಗಿದೆ
Updated,ನವೀಕರಿಸಲಾಗಿದೆ
Updated Birthday Reminders,ನವೀಕರಿಸಲಾಗಿದೆ ಜನ್ಮದಿನ ಜ್ಞಾಪನೆಗಳು
Upload Attendance,ಅಟೆಂಡೆನ್ಸ್ ಅಪ್ಲೋಡ್
@ -3234,7 +3234,7 @@ Write Off Amount <=,ಪ್ರಮಾಣ ಆಫ್ ಬರೆಯಿರಿ < =
Write Off Based On,ಆಧರಿಸಿದ ಆಫ್ ಬರೆಯಿರಿ
Write Off Cost Center,ವೆಚ್ಚ ಸೆಂಟರ್ ಆಫ್ ಬರೆಯಿರಿ
Write Off Outstanding Amount,ಪ್ರಮಾಣ ಅತ್ಯುತ್ತಮ ಆಫ್ ಬರೆಯಿರಿ
Write Off Voucher,ಚೀಟಿ ಆಫ್ ಬರೆಯಿರಿ
Write Off Entry,ಚೀಟಿ ಆಫ್ ಬರೆಯಿರಿ
Wrong Template: Unable to find head row.,ತಪ್ಪು ಟೆಂಪ್ಲೇಟು: ತಲೆ ಸಾಲು ಪತ್ತೆ ಮಾಡಲಾಗಲಿಲ್ಲ .
Year,ವರ್ಷ
Year Closed,ವರ್ಷ ಮುಚ್ಚಲಾಯಿತು
@ -3252,7 +3252,7 @@ You can enter any date manually,ನೀವು ಕೈಯಾರೆ ಯಾವ
You can enter the minimum quantity of this item to be ordered.,ನೀವು ಆದೇಶ ಈ ಐಟಂ ಕನಿಷ್ಠ ಪ್ರಮಾಣದಲ್ಲಿ ನಮೂದಿಸಬಹುದು .
You can not change rate if BOM mentioned agianst any item,BOM ಯಾವುದೇ ಐಟಂ agianst ಪ್ರಸ್ತಾಪಿಸಿದ್ದಾರೆ ವೇಳೆ ನೀವು ದರ ಬದಲಾಯಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ
You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,ನೀವು ಡೆಲಿವರಿ ಸೂಚನೆ ಯಾವುದೇ ಮತ್ತು ಯಾವುದೇ ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಎರಡೂ ಪ್ರವೇಶಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ . ಯಾವುದೇ ಒಂದು ನಮೂದಿಸಿ.
You can not enter current voucher in 'Against Journal Voucher' column,ನೀವು ಕಾಲಮ್ ' ಜರ್ನಲ್ ಚೀಟಿ ವಿರುದ್ಧ ' ನಲ್ಲಿ ಪ್ರಸ್ತುತ ಚೀಟಿ ಪ್ರವೇಶಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ
You can not enter current voucher in 'Against Journal Entry' column,ನೀವು ಕಾಲಮ್ ' ಜರ್ನಲ್ ಚೀಟಿ ವಿರುದ್ಧ ' ನಲ್ಲಿ ಪ್ರಸ್ತುತ ಚೀಟಿ ಪ್ರವೇಶಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ
You can set Default Bank Account in Company master,ನೀವು ಕಂಪನಿ ಮಾಸ್ಟರ್ ಡೀಫಾಲ್ಟ್ ಬ್ಯಾಂಕ್ ಖಾತೆ ಹೊಂದಿಸಬಹುದು
You can start by selecting backup frequency and granting access for sync,ನೀವು ಬ್ಯಾಕ್ಅಪ್ ಆವರ್ತನ ಆಯ್ಕೆ ಮತ್ತು ಸಿಂಕ್ ಪ್ರವೇಶವನ್ನು ನೀಡುವ ಮೂಲಕ ಆರಂಭಿಸಬಹುದು
You can submit this Stock Reconciliation.,ನೀವು ಈ ಸ್ಟಾಕ್ ಸಾಮರಸ್ಯ ಸಲ್ಲಿಸಬಹುದು .

1 (Half Day) (Half Day)
152 Against Document No ಡಾಕ್ಯುಮೆಂಟ್ ನಂ ವಿರುದ್ಧ
153 Against Expense Account ವೆಚ್ಚದಲ್ಲಿ ಖಾತೆಯನ್ನು ವಿರುದ್ಧ
154 Against Income Account ಆದಾಯ ಖಾತೆ ವಿರುದ್ಧ
155 Against Journal Voucher Against Journal Entry ಜರ್ನಲ್ ಚೀಟಿ ವಿರುದ್ಧ
156 Against Journal Voucher {0} does not have any unmatched {1} entry Against Journal Entry {0} does not have any unmatched {1} entry ಜರ್ನಲ್ ಚೀಟಿ ವಿರುದ್ಧ {0} ಯಾವುದೇ ಸಾಟಿಯಿಲ್ಲದ {1} ದಾಖಲೆಗಳನ್ನು ಹೊಂದಿಲ್ಲ
157 Against Purchase Invoice ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ವಿರುದ್ಧ
158 Against Sales Invoice ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ವಿರುದ್ಧ
159 Against Sales Order ಮಾರಾಟದ ಆದೇಶದ ವಿರುದ್ಧ
335 Bank Reconciliation ಬ್ಯಾಂಕ್ ಸಾಮರಸ್ಯ
336 Bank Reconciliation Detail ಬ್ಯಾಂಕ್ ಸಾಮರಸ್ಯ ವಿವರ
337 Bank Reconciliation Statement ಬ್ಯಾಂಕ್ ಸಾಮರಸ್ಯ ಹೇಳಿಕೆ
338 Bank Voucher Bank Entry ಬ್ಯಾಂಕ್ ಚೀಟಿ
339 Bank/Cash Balance ಬ್ಯಾಂಕ್ / ನಗದು ಬ್ಯಾಲೆನ್ಸ್
340 Banking ಲೇವಾದೇವಿ
341 Barcode ಬಾರ್ಕೋಡ್
470 Case No. cannot be 0 ಪ್ರಕರಣ ಸಂಖ್ಯೆ 0 ಸಾಧ್ಯವಿಲ್ಲ
471 Cash ನಗದು
472 Cash In Hand ಕೈಯಲ್ಲಿ ನಗದು
473 Cash Voucher Cash Entry ನಗದು ಚೀಟಿ
474 Cash or Bank Account is mandatory for making payment entry ನಗದು ಅಥವಾ ಬ್ಯಾಂಕ್ ಖಾತೆ ಪಾವತಿ ಪ್ರವೇಶ ಮಾಡುವ ಕಡ್ಡಾಯ
475 Cash/Bank Account ನಗದು / ಬ್ಯಾಂಕ್ ಖಾತೆ
476 Casual Leave ರಜೆ
594 Contacts ಸಂಪರ್ಕಗಳು
595 Content ವಿಷಯ
596 Content Type ವಿಷಯ ಪ್ರಕಾರ
597 Contra Voucher Contra Entry ಕಾಂಟ್ರಾ ಚೀಟಿ
598 Contract ಒಪ್ಪಂದ
599 Contract End Date ಕಾಂಟ್ರಾಕ್ಟ್ ಎಂಡ್ ದಿನಾಂಕ
600 Contract End Date must be greater than Date of Joining ಕಾಂಟ್ರಾಕ್ಟ್ ಎಂಡ್ ದಿನಾಂಕ ಸೇರುವ ದಿನಾಂಕ ಹೆಚ್ಚಿನ ಇರಬೇಕು
625 Country Name ದೇಶದ ಹೆಸರು
626 Country wise default Address Templates ದೇಶದ ಬುದ್ಧಿವಂತ ಡೀಫಾಲ್ಟ್ ವಿಳಾಸ ಟೆಂಪ್ಲೇಟ್ಗಳು
627 Country, Timezone and Currency ದೇಶ , ಕಾಲ ವಲಯ ಮತ್ತು ಕರೆನ್ಸಿ
628 Create Bank Voucher for the total salary paid for the above selected criteria Create Bank Entry for the total salary paid for the above selected criteria ಮೇಲೆ ಆಯ್ಕೆ ಮಾನದಂಡಗಳನ್ನು ಒಟ್ಟು ವೇತನ ಬ್ಯಾಂಕ್ ಚೀಟಿ ರಚಿಸಿ
629 Create Customer ಗ್ರಾಹಕ ರಚಿಸಿ
630 Create Material Requests CreateMaterial ವಿನಂತಿಗಳು
631 Create New ಹೊಸ ರಚಿಸಿ
647 Credit ಕ್ರೆಡಿಟ್
648 Credit Amt ಕ್ರೆಡಿಟ್ ಕಚೇರಿ
649 Credit Card ಕ್ರೆಡಿಟ್ ಕಾರ್ಡ್
650 Credit Card Voucher Credit Card Entry ಕ್ರೆಡಿಟ್ ಕಾರ್ಡ್ ಚೀಟಿ
651 Credit Controller ಕ್ರೆಡಿಟ್ ನಿಯಂತ್ರಕ
652 Credit Days ಕ್ರೆಡಿಟ್ ಡೇಸ್
653 Credit Limit ಕ್ರೆಡಿಟ್ ಮಿತಿಯನ್ನು
979 Excise Duty Edu Cess 2 ಅಬಕಾರಿ ಸುಂಕ ಶತಾವರಿ Cess 2
980 Excise Duty SHE Cess 1 ಅಬಕಾರಿ ಸುಂಕ ಶಿ Cess 1
981 Excise Page Number ಅಬಕಾರಿ ಪುಟ ಸಂಖ್ಯೆ
982 Excise Voucher Excise Entry ಅಬಕಾರಿ ಚೀಟಿ
983 Execution ಎಕ್ಸಿಕ್ಯೂಶನ್
984 Executive Search ಕಾರ್ಯನಿರ್ವಾಹಕ ಹುಡುಕು
985 Exemption Limit ವಿನಾಯಿತಿ ಮಿತಿಯನ್ನು
1327 Invoice Period From and Invoice Period To dates mandatory for recurring invoice ಸರಕುಪಟ್ಟಿ ಮತ್ತು ಅವಧಿಯ ಸರಕುಪಟ್ಟಿ ಮರುಕಳಿಸುವ ಕಡ್ಡಾಯವಾಗಿ ದಿನಾಂಕ ಸರಕುಪಟ್ಟಿ ಅವಧಿ
1328 Invoice Period To ಸರಕುಪಟ್ಟಿ ಅವಧಿ
1329 Invoice Type ಸರಕುಪಟ್ಟಿ ಪ್ರಕಾರ
1330 Invoice/Journal Voucher Details Invoice/Journal Entry Details ಸರಕುಪಟ್ಟಿ / ಜರ್ನಲ್ ಚೀಟಿ ವಿವರಗಳು
1331 Invoiced Amount (Exculsive Tax) ಸರಕುಪಟ್ಟಿ ಪ್ರಮಾಣ ( ತೆರಿಗೆ Exculsive )
1332 Is Active ಸಕ್ರಿಯವಾಗಿದೆ
1333 Is Advance ಮುಂಗಡ ಹೊಂದಿದೆ
1457 Jobs Email Settings ಕೆಲಸ ಇಮೇಲ್ ಸೆಟ್ಟಿಂಗ್ಗಳನ್ನು
1458 Journal Entries ಜರ್ನಲ್ ನಮೂದುಗಳು
1459 Journal Entry ಜರ್ನಲ್ ಎಂಟ್ರಿ
1460 Journal Voucher Journal Entry ಜರ್ನಲ್ ಚೀಟಿ
1461 Journal Entry Account ಜರ್ನಲ್ ಚೀಟಿ ವಿವರ
1462 Journal Entry Account No ಜರ್ನಲ್ ಚೀಟಿ ವಿವರ ನಂ
1463 Journal Voucher {0} does not have account {1} or already matched Journal Entry {0} does not have account {1} or already matched ಜರ್ನಲ್ ಚೀಟಿ {0} {1} ಖಾತೆಯನ್ನು ಅಥವಾ ಈಗಾಗಲೇ ದಾಖಲೆಗಳುಸರಿಹೊಂದಿವೆ ಇಲ್ಲ
1464 Journal Vouchers {0} are un-linked Journal Entries {0} are un-linked ಜರ್ನಲ್ ರಶೀದಿ {0} UN- ಲಿಂಕ್
1465 Keep a track of communication related to this enquiry which will help for future reference. ಭವಿಷ್ಯದ ಉಲ್ಲೇಖಕ್ಕಾಗಿ ಸಹಾಯ whichwill ಈ ವಿಚಾರಣೆ ಸಂಬಂಧಿಸಿದ ಸಂವಹನದ ಒಂದು ಜಾಡನ್ನು ಇರಿಸಿ.
1466 Keep it web friendly 900px (w) by 100px (h) 100px ವೆಬ್ ಸ್ನೇಹಿ 900px ( W ) ನೋಡಿಕೊಳ್ಳಿ ( H )
1467 Key Performance Area ಪ್ರಮುಖ ಸಾಧನೆ ಪ್ರದೇಶ
1576 Major/Optional Subjects ಮೇಜರ್ / ಐಚ್ಛಿಕ ವಿಷಯಗಳ
1577 Make Make
1578 Make Accounting Entry For Every Stock Movement ಪ್ರತಿ ಸ್ಟಾಕ್ ಚಳುವಳಿ ಲೆಕ್ಕಪರಿಶೋಧಕ ಎಂಟ್ರಿ ಮಾಡಿ
1579 Make Bank Voucher Make Bank Entry ಬ್ಯಾಂಕ್ ಚೀಟಿ ಮಾಡಿ
1580 Make Credit Note ಕ್ರೆಡಿಟ್ ಸ್ಕೋರ್ ಮಾಡಿ
1581 Make Debit Note ಡೆಬಿಟ್ ನೋಟ್ ಮಾಡಿ
1582 Make Delivery ಡೆಲಿವರಿ ಮಾಡಿ
3096 Update Series Number ಅಪ್ಡೇಟ್ ಸರಣಿ ಸಂಖ್ಯೆ
3097 Update Stock ಸ್ಟಾಕ್ ನವೀಕರಿಸಲು
3098 Update bank payment dates with journals. ಜರ್ನಲ್ ಬ್ಯಾಂಕಿಂಗ್ ಪಾವತಿ ದಿನಾಂಕ ನವೀಕರಿಸಿ .
3099 Update clearance date of Journal Entries marked as 'Bank Vouchers' Update clearance date of Journal Entries marked as 'Bank Entry' ಜರ್ನಲ್ ನಮೂದುಗಳನ್ನು ಅಪ್ಡೇಟ್ ತೆರವು ದಿನಾಂಕ ' ಬ್ಯಾಂಕ್ ರಶೀದಿ ' ಎಂದು ಗುರುತಿಸಲಾಗಿದೆ
3100 Updated ನವೀಕರಿಸಲಾಗಿದೆ
3101 Updated Birthday Reminders ನವೀಕರಿಸಲಾಗಿದೆ ಜನ್ಮದಿನ ಜ್ಞಾಪನೆಗಳು
3102 Upload Attendance ಅಟೆಂಡೆನ್ಸ್ ಅಪ್ಲೋಡ್
3234 Write Off Based On ಆಧರಿಸಿದ ಆಫ್ ಬರೆಯಿರಿ
3235 Write Off Cost Center ವೆಚ್ಚ ಸೆಂಟರ್ ಆಫ್ ಬರೆಯಿರಿ
3236 Write Off Outstanding Amount ಪ್ರಮಾಣ ಅತ್ಯುತ್ತಮ ಆಫ್ ಬರೆಯಿರಿ
3237 Write Off Voucher Write Off Entry ಚೀಟಿ ಆಫ್ ಬರೆಯಿರಿ
3238 Wrong Template: Unable to find head row. ತಪ್ಪು ಟೆಂಪ್ಲೇಟು: ತಲೆ ಸಾಲು ಪತ್ತೆ ಮಾಡಲಾಗಲಿಲ್ಲ .
3239 Year ವರ್ಷ
3240 Year Closed ವರ್ಷ ಮುಚ್ಚಲಾಯಿತು
3252 You can enter the minimum quantity of this item to be ordered. ನೀವು ಆದೇಶ ಈ ಐಟಂ ಕನಿಷ್ಠ ಪ್ರಮಾಣದಲ್ಲಿ ನಮೂದಿಸಬಹುದು .
3253 You can not change rate if BOM mentioned agianst any item BOM ಯಾವುದೇ ಐಟಂ agianst ಪ್ರಸ್ತಾಪಿಸಿದ್ದಾರೆ ವೇಳೆ ನೀವು ದರ ಬದಲಾಯಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ
3254 You can not enter both Delivery Note No and Sales Invoice No. Please enter any one. ನೀವು ಡೆಲಿವರಿ ಸೂಚನೆ ಯಾವುದೇ ಮತ್ತು ಯಾವುದೇ ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಎರಡೂ ಪ್ರವೇಶಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ . ಯಾವುದೇ ಒಂದು ನಮೂದಿಸಿ.
3255 You can not enter current voucher in 'Against Journal Voucher' column You can not enter current voucher in 'Against Journal Entry' column ನೀವು ಕಾಲಮ್ ' ಜರ್ನಲ್ ಚೀಟಿ ವಿರುದ್ಧ ' ನಲ್ಲಿ ಪ್ರಸ್ತುತ ಚೀಟಿ ಪ್ರವೇಶಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ
3256 You can set Default Bank Account in Company master ನೀವು ಕಂಪನಿ ಮಾಸ್ಟರ್ ಡೀಫಾಲ್ಟ್ ಬ್ಯಾಂಕ್ ಖಾತೆ ಹೊಂದಿಸಬಹುದು
3257 You can start by selecting backup frequency and granting access for sync ನೀವು ಬ್ಯಾಕ್ಅಪ್ ಆವರ್ತನ ಆಯ್ಕೆ ಮತ್ತು ಸಿಂಕ್ ಪ್ರವೇಶವನ್ನು ನೀಡುವ ಮೂಲಕ ಆರಂಭಿಸಬಹುದು
3258 You can submit this Stock Reconciliation. ನೀವು ಈ ಸ್ಟಾಕ್ ಸಾಮರಸ್ಯ ಸಲ್ಲಿಸಬಹುದು .

View File

@ -152,8 +152,8 @@ Against Document Detail No,문서의 세부 사항에 대한 없음
Against Document No,문서 번호에 대하여
Against Expense Account,비용 계정에 대한
Against Income Account,손익 계정에 대한
Against Journal Voucher,분개장에 대하여
Against Journal Voucher {0} does not have any unmatched {1} entry,분개장에 대해 {0} 어떤 타의 추종을 불허 {1} 항목이없는
Against Journal Entry,분개장에 대하여
Against Journal Entry {0} does not have any unmatched {1} entry,분개장에 대해 {0} 어떤 타의 추종을 불허 {1} 항목이없는
Against Purchase Invoice,구매 인보이스에 대한
Against Sales Invoice,견적서에 대하여
Against Sales Order,판매 주문에 대해
@ -335,7 +335,7 @@ Bank Overdraft Account,당좌 차월 계정
Bank Reconciliation,은행 화해
Bank Reconciliation Detail,은행 화해 세부 정보
Bank Reconciliation Statement,은행 조정 계산서
Bank Voucher,은행 바우처
Bank Entry,은행 바우처
Bank/Cash Balance,은행 / 현금 잔액
Banking,은행
Barcode,바코드
@ -470,7 +470,7 @@ Case No(s) already in use. Try from Case No {0},케이스 없음 (들)을 이미
Case No. cannot be 0,케이스 번호는 0이 될 수 없습니다
Cash,자금
Cash In Hand,손에 현금
Cash Voucher,현금 바우처
Cash Entry,현금 바우처
Cash or Bank Account is mandatory for making payment entry,현금 또는 은행 계좌 결제 항목을 만들기위한 필수입니다
Cash/Bank Account,현금 / 은행 계좌
Casual Leave,캐주얼 허가
@ -594,7 +594,7 @@ Contact master.,연락처 마스터.
Contacts,주소록
Content,목차
Content Type,컨텐츠 유형
Contra Voucher,콘트라 바우처
Contra Entry,콘트라 바우처
Contract,계약직
Contract End Date,계약 종료 날짜
Contract End Date must be greater than Date of Joining,계약 종료 날짜는 가입 날짜보다 커야합니다
@ -625,7 +625,7 @@ Country,국가
Country Name,국가 이름
Country wise default Address Templates,국가 현명한 기본 주소 템플릿
"Country, Timezone and Currency","국가, 시간대 통화"
Create Bank Voucher for the total salary paid for the above selected criteria,위의 선택 기준에 대해 지불 한 총 연봉 은행 바우처를 만들기
Create Bank Entry for the total salary paid for the above selected criteria,위의 선택 기준에 대해 지불 한 총 연봉 은행 바우처를 만들기
Create Customer,고객을 만들기
Create Material Requests,자료 요청을 만듭니다
Create New,새로 만들기
@ -647,7 +647,7 @@ Credentials,신임장
Credit,신용
Credit Amt,신용 AMT 사의
Credit Card,신용카드
Credit Card Voucher,신용 카드 바우처
Credit Card Entry,신용 카드 바우처
Credit Controller,신용 컨트롤러
Credit Days,신용 일
Credit Limit,신용 한도
@ -979,7 +979,7 @@ Excise Duty @ 8,8 @ 소비세
Excise Duty Edu Cess 2,소비세 의무 에듀 CESS 2
Excise Duty SHE Cess 1,소비세 의무 SHE CESS 1
Excise Page Number,소비세의 페이지 번호
Excise Voucher,소비세 바우처
Excise Entry,소비세 바우처
Execution,실행
Executive Search,대표 조사
Exemption Limit,면제 한도
@ -1327,7 +1327,7 @@ Invoice Period From,에서 송장 기간
Invoice Period From and Invoice Period To dates mandatory for recurring invoice,송장을 반복 필수 날짜에와 송장 기간에서 송장 기간
Invoice Period To,청구서 기간
Invoice Type,송장 유형
Invoice/Journal Voucher Details,송장 / 분개장 세부 정보
Invoice/Journal Entry Details,송장 / 분개장 세부 정보
Invoiced Amount (Exculsive Tax),인보이스에 청구 된 금액 (Exculsive 세금)
Is Active,활성
Is Advance,사전인가
@ -1457,11 +1457,11 @@ Job Title,직책
Jobs Email Settings,채용 정보 이메일 설정
Journal Entries,저널 항목
Journal Entry,분개
Journal Voucher,분개장
Journal Entry,분개장
Journal Entry Account,분개장 세부 정보
Journal Entry Account No,분개장 세부 사항 없음
Journal Voucher {0} does not have account {1} or already matched,분개장 {0} 계정이없는 {1} 또는 이미 일치
Journal Vouchers {0} are un-linked,분개장 {0} 않은 연결되어
Journal Entry {0} does not have account {1} or already matched,분개장 {0} 계정이없는 {1} 또는 이미 일치
Journal Entries {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),100 픽셀로 웹 친화적 인 900px (W)를 유지 (H)
Key Performance Area,핵심 성과 지역
@ -1576,7 +1576,7 @@ Maintenance start date can not be before delivery date for Serial No {0},유지
Major/Optional Subjects,주요 / 선택 주제
Make ,Make
Make Accounting Entry For Every Stock Movement,모든 주식 이동을위한 회계 항목을 만듭니다
Make Bank Voucher,은행 바우처에게 확인
Make Bank Entry,은행 바우처에게 확인
Make Credit Note,신용 참고하십시오
Make Debit Note,직불 참고하십시오
Make Delivery,배달을
@ -3096,7 +3096,7 @@ Update Series,업데이트 시리즈
Update Series Number,업데이트 시리즈 번호
Update Stock,주식 업데이트
Update bank payment dates with journals.,저널과 은행의 지불 날짜를 업데이트합니다.
Update clearance date of Journal Entries marked as 'Bank Vouchers',저널 항목의 업데이트 통관 날짜는 '은행 바우처'로 표시
Update clearance date of Journal Entries marked as 'Bank Entry',저널 항목의 업데이트 통관 날짜는 '은행 바우처'로 표시
Updated,업데이트
Updated Birthday Reminders,업데이트 생일 알림
Upload Attendance,출석 업로드
@ -3234,7 +3234,7 @@ Write Off Amount <=,금액을 상각 <=
Write Off Based On,에 의거 오프 쓰기
Write Off Cost Center,비용 센터를 오프 쓰기
Write Off Outstanding Amount,잔액을 떨어져 쓰기
Write Off Voucher,바우처 오프 쓰기
Write Off Entry,바우처 오프 쓰기
Wrong Template: Unable to find head row.,잘못된 템플릿 : 머리 행을 찾을 수 없습니다.
Year,
Year Closed,연도 폐쇄
@ -3252,7 +3252,7 @@ You can enter any date manually,당신은 수동으로 날짜를 입력 할 수
You can enter the minimum quantity of this item to be ordered.,당신은 주문이 항목의 최소 수량을 입력 할 수 있습니다.
You can not change rate if BOM mentioned agianst any item,BOM 어떤 항목 agianst 언급 한 경우는 속도를 변경할 수 없습니다
You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,당신은 아니오 모두 배달 주를 입력 할 수 없습니다 및 판매 송장 번호는 하나를 입력하십시오.
You can not enter current voucher in 'Against Journal Voucher' column,당신은 열 '분개장에 대하여'에서 현재의 바우처를 입력 할 수 없습니다
You can not enter current voucher in 'Against Journal Entry' column,당신은 열 '분개장에 대하여'에서 현재의 바우처를 입력 할 수 없습니다
You can set Default Bank Account in Company master,당신은 회사 마스터의 기본 은행 계좌를 설정할 수 있습니다
You can start by selecting backup frequency and granting access for sync,당신은 백업 빈도를 선택하고 동기화에 대한 액세스를 부여하여 시작할 수 있습니다
You can submit this Stock Reconciliation.,당신이 재고 조정을 제출할 수 있습니다.

1 (Half Day) (Half Day)
152 Against Document No 문서 번호에 대하여
153 Against Expense Account 비용 계정에 대한
154 Against Income Account 손익 계정에 대한
155 Against Journal Voucher Against Journal Entry 분개장에 대하여
156 Against Journal Voucher {0} does not have any unmatched {1} entry Against Journal Entry {0} does not have any unmatched {1} entry 분개장에 대해 {0} 어떤 타의 추종을 불허 {1} 항목이없는
157 Against Purchase Invoice 구매 인보이스에 대한
158 Against Sales Invoice 견적서에 대하여
159 Against Sales Order 판매 주문에 대해
335 Bank Reconciliation 은행 화해
336 Bank Reconciliation Detail 은행 화해 세부 정보
337 Bank Reconciliation Statement 은행 조정 계산서
338 Bank Voucher Bank Entry 은행 바우처
339 Bank/Cash Balance 은행 / 현금 잔액
340 Banking 은행
341 Barcode 바코드
470 Case No. cannot be 0 케이스 번호는 0이 될 수 없습니다
471 Cash 자금
472 Cash In Hand 손에 현금
473 Cash Voucher Cash Entry 현금 바우처
474 Cash or Bank Account is mandatory for making payment entry 현금 또는 은행 계좌 결제 항목을 만들기위한 필수입니다
475 Cash/Bank Account 현금 / 은행 계좌
476 Casual Leave 캐주얼 허가
594 Contacts 주소록
595 Content 목차
596 Content Type 컨텐츠 유형
597 Contra Voucher Contra Entry 콘트라 바우처
598 Contract 계약직
599 Contract End Date 계약 종료 날짜
600 Contract End Date must be greater than Date of Joining 계약 종료 날짜는 가입 날짜보다 커야합니다
625 Country Name 국가 이름
626 Country wise default Address Templates 국가 현명한 기본 주소 템플릿
627 Country, Timezone and Currency 국가, 시간대 통화
628 Create Bank Voucher for the total salary paid for the above selected criteria Create Bank Entry for the total salary paid for the above selected criteria 위의 선택 기준에 대해 지불 한 총 연봉 은행 바우처를 만들기
629 Create Customer 고객을 만들기
630 Create Material Requests 자료 요청을 만듭니다
631 Create New 새로 만들기
647 Credit 신용
648 Credit Amt 신용 AMT 사의
649 Credit Card 신용카드
650 Credit Card Voucher Credit Card Entry 신용 카드 바우처
651 Credit Controller 신용 컨트롤러
652 Credit Days 신용 일
653 Credit Limit 신용 한도
979 Excise Duty Edu Cess 2 소비세 의무 에듀 CESS 2
980 Excise Duty SHE Cess 1 소비세 의무 SHE CESS 1
981 Excise Page Number 소비세의 페이지 번호
982 Excise Voucher Excise Entry 소비세 바우처
983 Execution 실행
984 Executive Search 대표 조사
985 Exemption Limit 면제 한도
1327 Invoice Period From and Invoice Period To dates mandatory for recurring invoice 송장을 반복 필수 날짜에와 송장 기간에서 송장 기간
1328 Invoice Period To 청구서 기간
1329 Invoice Type 송장 유형
1330 Invoice/Journal Voucher Details Invoice/Journal Entry Details 송장 / 분개장 세부 정보
1331 Invoiced Amount (Exculsive Tax) 인보이스에 청구 된 금액 (Exculsive 세금)
1332 Is Active 활성
1333 Is Advance 사전인가
1457 Jobs Email Settings 채용 정보 이메일 설정
1458 Journal Entries 저널 항목
1459 Journal Entry 분개
1460 Journal Voucher Journal Entry 분개장
1461 Journal Entry Account 분개장 세부 정보
1462 Journal Entry Account No 분개장 세부 사항 없음
1463 Journal Voucher {0} does not have account {1} or already matched Journal Entry {0} does not have account {1} or already matched 분개장 {0} 계정이없는 {1} 또는 이미 일치
1464 Journal Vouchers {0} are un-linked Journal Entries {0} are un-linked 분개장 {0} 않은 연결되어
1465 Keep a track of communication related to this enquiry which will help for future reference. 향후 참조를 위해 도움이 될 것입니다이 문의와 관련된 통신을 확인합니다.
1466 Keep it web friendly 900px (w) by 100px (h) 100 픽셀로 웹 친화적 인 900px (W)를 유지 (H)
1467 Key Performance Area 핵심 성과 지역
1576 Major/Optional Subjects 주요 / 선택 주제
1577 Make Make
1578 Make Accounting Entry For Every Stock Movement 모든 주식 이동을위한 회계 항목을 만듭니다
1579 Make Bank Voucher Make Bank Entry 은행 바우처에게 확인
1580 Make Credit Note 신용 참고하십시오
1581 Make Debit Note 직불 참고하십시오
1582 Make Delivery 배달을
3096 Update Series Number 업데이트 시리즈 번호
3097 Update Stock 주식 업데이트
3098 Update bank payment dates with journals. 저널과 은행의 지불 날짜를 업데이트합니다.
3099 Update clearance date of Journal Entries marked as 'Bank Vouchers' Update clearance date of Journal Entries marked as 'Bank Entry' 저널 항목의 업데이트 통관 날짜는 '은행 바우처'로 표시
3100 Updated 업데이트
3101 Updated Birthday Reminders 업데이트 생일 알림
3102 Upload Attendance 출석 업로드
3234 Write Off Based On 에 의거 오프 쓰기
3235 Write Off Cost Center 비용 센터를 오프 쓰기
3236 Write Off Outstanding Amount 잔액을 떨어져 쓰기
3237 Write Off Voucher Write Off Entry 바우처 오프 쓰기
3238 Wrong Template: Unable to find head row. 잘못된 템플릿 : 머리 행을 찾을 수 없습니다.
3239 Year
3240 Year Closed 연도 폐쇄
3252 You can enter the minimum quantity of this item to be ordered. 당신은 주문이 항목의 최소 수량을 입력 할 수 있습니다.
3253 You can not change rate if BOM mentioned agianst any item BOM 어떤 항목 agianst 언급 한 경우는 속도를 변경할 수 없습니다
3254 You can not enter both Delivery Note No and Sales Invoice No. Please enter any one. 당신은 아니오 모두 배달 주를 입력 할 수 없습니다 및 판매 송장 번호는 하나를 입력하십시오.
3255 You can not enter current voucher in 'Against Journal Voucher' column You can not enter current voucher in 'Against Journal Entry' column 당신은 열 '분개장에 대하여'에서 현재의 바우처를 입력 할 수 없습니다
3256 You can set Default Bank Account in Company master 당신은 회사 마스터의 기본 은행 계좌를 설정할 수 있습니다
3257 You can start by selecting backup frequency and granting access for sync 당신은 백업 빈도를 선택하고 동기화에 대한 액세스를 부여하여 시작할 수 있습니다
3258 You can submit this Stock Reconciliation. 당신이 재고 조정을 제출할 수 있습니다.

View File

@ -152,8 +152,8 @@ Against Document Detail No,Tegen Document Detail Geen
Against Document No,Tegen document nr.
Against Expense Account,Tegen Expense Account
Against Income Account,Tegen Inkomen account
Against Journal Voucher,Tegen Journal Voucher
Against Journal Voucher {0} does not have any unmatched {1} entry,Tegen Journal Voucher {0} heeft geen ongeëvenaarde {1} toegang hebben
Against Journal Entry,Tegen Journal Entry
Against Journal Entry {0} does not have any unmatched {1} entry,Tegen Journal Entry {0} heeft geen ongeëvenaarde {1} toegang hebben
Against Purchase Invoice,Tegen Aankoop Factuur
Against Sales Invoice,Tegen Sales Invoice
Against Sales Order,Tegen klantorder
@ -335,7 +335,7 @@ Bank Overdraft Account,Bank Overdraft Account
Bank Reconciliation,Bank Verzoening
Bank Reconciliation Detail,Bank Verzoening Detail
Bank Reconciliation Statement,Bank Verzoening Statement
Bank Voucher,Bank Voucher
Bank Entry,Bank Entry
Bank/Cash Balance,Bank / Geldsaldo
Banking,bank
Barcode,Barcode
@ -470,7 +470,7 @@ Case No(s) already in use. Try from Case No {0},Zaak nr. ( s ) al in gebruik. Pr
Case No. cannot be 0,Zaak nr. mag geen 0
Cash,Geld
Cash In Hand,Cash In Hand
Cash Voucher,Cash Voucher
Cash Entry,Cash Entry
Cash or Bank Account is mandatory for making payment entry,Cash of bankrekening is verplicht voor de betaling toegang
Cash/Bank Account,Cash / bankrekening
Casual Leave,Casual Leave
@ -594,7 +594,7 @@ Contact master.,Contact meester .
Contacts,contacten
Content,Inhoud
Content Type,Content Type
Contra Voucher,Contra Voucher
Contra Entry,Contra Entry
Contract,contract
Contract End Date,Contract Einddatum
Contract End Date must be greater than Date of Joining,Contract Einddatum moet groter zijn dan Datum van Deelnemen zijn
@ -625,7 +625,7 @@ Country,Land
Country Name,Naam van het land
Country wise default Address Templates,Land verstandig default Adres Templates
"Country, Timezone and Currency","Country , Tijdzone en Valuta"
Create Bank Voucher for the total salary paid for the above selected criteria,Maak Bank Voucher voor het totale loon voor de bovenstaande geselecteerde criteria
Create Bank Entry for the total salary paid for the above selected criteria,Maak Bank Entry voor het totale loon voor de bovenstaande geselecteerde criteria
Create Customer,Maak de klant
Create Material Requests,Maak Materiaal Aanvragen
Create New,Create New
@ -647,7 +647,7 @@ Credentials,Geloofsbrieven
Credit,Krediet
Credit Amt,Credit Amt
Credit Card,creditkaart
Credit Card Voucher,Credit Card Voucher
Credit Card Entry,Credit Card Entry
Credit Controller,Credit Controller
Credit Days,Credit Dagen
Credit Limit,Kredietlimiet
@ -979,7 +979,7 @@ Excise Duty @ 8,Accijns @ 8
Excise Duty Edu Cess 2,Accijns Edu Cess 2
Excise Duty SHE Cess 1,Accijns SHE Cess 1
Excise Page Number,Accijnzen Paginanummer
Excise Voucher,Accijnzen Voucher
Excise Entry,Accijnzen Voucher
Execution,uitvoering
Executive Search,Executive Search
Exemption Limit,Vrijstelling Limit
@ -1327,7 +1327,7 @@ Invoice Period From,Factuur Periode Van
Invoice Period From and Invoice Period To dates mandatory for recurring invoice,Factuur Periode Van en Factuur periode data verplicht voor terugkerende factuur
Invoice Period To,Factuur periode
Invoice Type,Factuur Type
Invoice/Journal Voucher Details,Factuur / Journal Voucher Details
Invoice/Journal Entry Details,Factuur / Journal Entry Details
Invoiced Amount (Exculsive Tax),Factuurbedrag ( Exculsive BTW )
Is Active,Is actief
Is Advance,Is Advance
@ -1457,11 +1457,11 @@ Job Title,Functie
Jobs Email Settings,Vacatures E-mailinstellingen
Journal Entries,Journaalposten
Journal Entry,Journal Entry
Journal Voucher,Journal Voucher
Journal Entry,Journal Entry
Journal Entry Account,Journal Entry Account
Journal Entry Account No,Journal Entry Account Geen
Journal Voucher {0} does not have account {1} or already matched,Journal Voucher {0} heeft geen rekening {1} of al geëvenaard
Journal Vouchers {0} are un-linked,Dagboek Vouchers {0} zijn niet- verbonden
Journal Entry {0} does not have account {1} or already matched,Journal Entry {0} heeft geen rekening {1} of al geëvenaard
Journal Entries {0} are un-linked,Dagboek Vouchers {0} zijn niet- verbonden
Keep a track of communication related to this enquiry which will help for future reference.,Houd een spoor van communicatie met betrekking tot dit onderzoek dat zal helpen voor toekomstig gebruik.
Keep it web friendly 900px (w) by 100px (h),Houd het web vriendelijk 900px ( w ) door 100px ( h )
Key Performance Area,Key Performance Area
@ -1576,7 +1576,7 @@ Maintenance start date can not be before delivery date for Serial No {0},Onderho
Major/Optional Subjects,Major / keuzevakken
Make ,Make
Make Accounting Entry For Every Stock Movement,Maak boekhoudkundige afschrijving voor elke Stock Movement
Make Bank Voucher,Maak Bank Voucher
Make Bank Entry,Maak Bank Entry
Make Credit Note,Maak Credit Note
Make Debit Note,Maak debetnota
Make Delivery,Maak Levering
@ -3096,7 +3096,7 @@ Update Series,Update Series
Update Series Number,Update Serie Nummer
Update Stock,Werk Stock
Update bank payment dates with journals.,Update bank betaaldata met tijdschriften.
Update clearance date of Journal Entries marked as 'Bank Vouchers',Goedkeuring datum actualisering van Journaalposten gemarkeerd als ' Bank Vouchers '
Update clearance date of Journal Entries marked as 'Bank Entry',Goedkeuring datum actualisering van Journaalposten gemarkeerd als ' Bank Entry '
Updated,Bijgewerkt
Updated Birthday Reminders,Bijgewerkt verjaardagsherinneringen
Upload Attendance,Upload Toeschouwers
@ -3234,7 +3234,7 @@ Write Off Amount <=,Schrijf Uit Bedrag &lt;=
Write Off Based On,Schrijf Uit Based On
Write Off Cost Center,Schrijf Uit kostenplaats
Write Off Outstanding Amount,Schrijf uitstaande bedrag
Write Off Voucher,Schrijf Uit Voucher
Write Off Entry,Schrijf Uit Voucher
Wrong Template: Unable to find head row.,Verkeerde Template: Kan hoofd rij vinden.
Year,Jaar
Year Closed,Jaar Gesloten
@ -3252,7 +3252,7 @@ You can enter any date manually,U kunt elke datum handmatig
You can enter the minimum quantity of this item to be ordered.,U kunt de minimale hoeveelheid van dit product te bestellen.
You can not change rate if BOM mentioned agianst any item,U kunt geen koers veranderen als BOM agianst een item genoemd
You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,Je kunt niet Geen Voer beide Delivery Note en verkoopfactuur Nee Geef iemand.
You can not enter current voucher in 'Against Journal Voucher' column,Je kan niet in de huidige voucher in ' Against Journal Voucher ' kolom
You can not enter current voucher in 'Against Journal Entry' column,Je kan niet in de huidige voucher in ' Against Journal Entry ' kolom
You can set Default Bank Account in Company master,U kunt Default Bank Account ingesteld in Bedrijf meester
You can start by selecting backup frequency and granting access for sync,U kunt beginnen met back- frequentie te selecteren en het verlenen van toegang voor synchronisatie
You can submit this Stock Reconciliation.,U kunt indienen dit Stock Verzoening .

1 (Half Day) (Halve dag)
152 Against Document No Tegen document nr.
153 Against Expense Account Tegen Expense Account
154 Against Income Account Tegen Inkomen account
155 Against Journal Voucher Against Journal Entry Tegen Journal Voucher Tegen Journal Entry
156 Against Journal Voucher {0} does not have any unmatched {1} entry Against Journal Entry {0} does not have any unmatched {1} entry Tegen Journal Voucher {0} heeft geen ongeëvenaarde {1} toegang hebben Tegen Journal Entry {0} heeft geen ongeëvenaarde {1} toegang hebben
157 Against Purchase Invoice Tegen Aankoop Factuur
158 Against Sales Invoice Tegen Sales Invoice
159 Against Sales Order Tegen klantorder
335 Bank Reconciliation Bank Verzoening
336 Bank Reconciliation Detail Bank Verzoening Detail
337 Bank Reconciliation Statement Bank Verzoening Statement
338 Bank Voucher Bank Entry Bank Voucher Bank Entry
339 Bank/Cash Balance Bank / Geldsaldo
340 Banking bank
341 Barcode Barcode
470 Case No. cannot be 0 Zaak nr. mag geen 0
471 Cash Geld
472 Cash In Hand Cash In Hand
473 Cash Voucher Cash Entry Cash Voucher Cash Entry
474 Cash or Bank Account is mandatory for making payment entry Cash of bankrekening is verplicht voor de betaling toegang
475 Cash/Bank Account Cash / bankrekening
476 Casual Leave Casual Leave
594 Contacts contacten
595 Content Inhoud
596 Content Type Content Type
597 Contra Voucher Contra Entry Contra Voucher Contra Entry
598 Contract contract
599 Contract End Date Contract Einddatum
600 Contract End Date must be greater than Date of Joining Contract Einddatum moet groter zijn dan Datum van Deelnemen zijn
625 Country Name Naam van het land
626 Country wise default Address Templates Land verstandig default Adres Templates
627 Country, Timezone and Currency Country , Tijdzone en Valuta
628 Create Bank Voucher for the total salary paid for the above selected criteria Create Bank Entry for the total salary paid for the above selected criteria Maak Bank Voucher voor het totale loon voor de bovenstaande geselecteerde criteria Maak Bank Entry voor het totale loon voor de bovenstaande geselecteerde criteria
629 Create Customer Maak de klant
630 Create Material Requests Maak Materiaal Aanvragen
631 Create New Create New
647 Credit Krediet
648 Credit Amt Credit Amt
649 Credit Card creditkaart
650 Credit Card Voucher Credit Card Entry Credit Card Voucher Credit Card Entry
651 Credit Controller Credit Controller
652 Credit Days Credit Dagen
653 Credit Limit Kredietlimiet
979 Excise Duty Edu Cess 2 Accijns Edu Cess 2
980 Excise Duty SHE Cess 1 Accijns SHE Cess 1
981 Excise Page Number Accijnzen Paginanummer
982 Excise Voucher Excise Entry Accijnzen Voucher
983 Execution uitvoering
984 Executive Search Executive Search
985 Exemption Limit Vrijstelling Limit
1327 Invoice Period From and Invoice Period To dates mandatory for recurring invoice Factuur Periode Van en Factuur periode data verplicht voor terugkerende factuur
1328 Invoice Period To Factuur periode
1329 Invoice Type Factuur Type
1330 Invoice/Journal Voucher Details Invoice/Journal Entry Details Factuur / Journal Voucher Details Factuur / Journal Entry Details
1331 Invoiced Amount (Exculsive Tax) Factuurbedrag ( Exculsive BTW )
1332 Is Active Is actief
1333 Is Advance Is Advance
1457 Jobs Email Settings Vacatures E-mailinstellingen
1458 Journal Entries Journaalposten
1459 Journal Entry Journal Entry
1460 Journal Voucher Journal Entry Journal Voucher Journal Entry
1461 Journal Entry Account Journal Entry Account
1462 Journal Entry Account No Journal Entry Account Geen
1463 Journal Voucher {0} does not have account {1} or already matched Journal Entry {0} does not have account {1} or already matched Journal Voucher {0} heeft geen rekening {1} of al geëvenaard Journal Entry {0} heeft geen rekening {1} of al geëvenaard
1464 Journal Vouchers {0} are un-linked Journal Entries {0} are un-linked Dagboek Vouchers {0} zijn niet- verbonden
1465 Keep a track of communication related to this enquiry which will help for future reference. Houd een spoor van communicatie met betrekking tot dit onderzoek dat zal helpen voor toekomstig gebruik.
1466 Keep it web friendly 900px (w) by 100px (h) Houd het web vriendelijk 900px ( w ) door 100px ( h )
1467 Key Performance Area Key Performance Area
1576 Major/Optional Subjects Major / keuzevakken
1577 Make Make
1578 Make Accounting Entry For Every Stock Movement Maak boekhoudkundige afschrijving voor elke Stock Movement
1579 Make Bank Voucher Make Bank Entry Maak Bank Voucher Maak Bank Entry
1580 Make Credit Note Maak Credit Note
1581 Make Debit Note Maak debetnota
1582 Make Delivery Maak Levering
3096 Update Series Number Update Serie Nummer
3097 Update Stock Werk Stock
3098 Update bank payment dates with journals. Update bank betaaldata met tijdschriften.
3099 Update clearance date of Journal Entries marked as 'Bank Vouchers' Update clearance date of Journal Entries marked as 'Bank Entry' Goedkeuring datum actualisering van Journaalposten gemarkeerd als ' Bank Vouchers ' Goedkeuring datum actualisering van Journaalposten gemarkeerd als ' Bank Entry '
3100 Updated Bijgewerkt
3101 Updated Birthday Reminders Bijgewerkt verjaardagsherinneringen
3102 Upload Attendance Upload Toeschouwers
3234 Write Off Based On Schrijf Uit Based On
3235 Write Off Cost Center Schrijf Uit kostenplaats
3236 Write Off Outstanding Amount Schrijf uitstaande bedrag
3237 Write Off Voucher Write Off Entry Schrijf Uit Voucher
3238 Wrong Template: Unable to find head row. Verkeerde Template: Kan hoofd rij vinden.
3239 Year Jaar
3240 Year Closed Jaar Gesloten
3252 You can enter the minimum quantity of this item to be ordered. U kunt de minimale hoeveelheid van dit product te bestellen.
3253 You can not change rate if BOM mentioned agianst any item U kunt geen koers veranderen als BOM agianst een item genoemd
3254 You can not enter both Delivery Note No and Sales Invoice No. Please enter any one. Je kunt niet Geen Voer beide Delivery Note en verkoopfactuur Nee Geef iemand.
3255 You can not enter current voucher in 'Against Journal Voucher' column You can not enter current voucher in 'Against Journal Entry' column Je kan niet in de huidige voucher in ' Against Journal Voucher ' kolom Je kan niet in de huidige voucher in ' Against Journal Entry ' kolom
3256 You can set Default Bank Account in Company master U kunt Default Bank Account ingesteld in Bedrijf meester
3257 You can start by selecting backup frequency and granting access for sync U kunt beginnen met back- frequentie te selecteren en het verlenen van toegang voor synchronisatie
3258 You can submit this Stock Reconciliation. U kunt indienen dit Stock Verzoening .

View File

@ -145,8 +145,8 @@ Against Document No,Against Document No
Against Entries,Against Entries
Against Expense Account,Against Expense Account
Against Income Account,Against Income Account
Against Journal Voucher,Against Journal Voucher
Against Journal Voucher {0} does not have any unmatched {1} entry,Against Journal Voucher {0} does not have any unmatched {1} entry
Against Journal Entry,Against Journal Entry
Against Journal Entry {0} does not have any unmatched {1} entry,Against Journal Entry {0} does not have any unmatched {1} entry
Against Purchase Invoice,Against Purchase Invoice
Against Sales Invoice,Against Sales Invoice
Against Sales Order,Against Sales Order
@ -328,7 +328,7 @@ Bank Overdraft Account,Bank Overdraft Account
Bank Reconciliation,Bank Reconciliation
Bank Reconciliation Detail,Bank Reconciliation Detail
Bank Reconciliation Statement,Bank Reconciliation Statement
Bank Voucher,Bank Voucher
Bank Entry,Bank Entry
Bank/Cash Balance,Bank/Cash Balance
Banking,Banking
Barcode,Kod kreskowy
@ -457,7 +457,7 @@ Case No(s) already in use. Try from Case No {0},Case No(s) already in use. Try f
Case No. cannot be 0,Case No. cannot be 0
Cash,Gotówka
Cash In Hand,Cash In Hand
Cash Voucher,Cash Voucher
Cash Entry,Cash Entry
Cash or Bank Account is mandatory for making payment entry,Cash or Bank Account is mandatory for making payment entry
Cash/Bank Account,Cash/Bank Account
Casual Leave,Casual Leave
@ -577,7 +577,7 @@ Contact master.,Contact master.
Contacts,Kontakty
Content,Zawartość
Content Type,Content Type
Contra Voucher,Contra Voucher
Contra Entry,Contra Entry
Contract,Kontrakt
Contract End Date,Contract End Date
Contract End Date must be greater than Date of Joining,Contract End Date must be greater than Date of Joining
@ -608,7 +608,7 @@ Costing,Zestawienie kosztów
Country,Kraj
Country Name,Nazwa kraju
"Country, Timezone and Currency","Country, Timezone and Currency"
Create Bank Voucher for the total salary paid for the above selected criteria,Create Bank Voucher for the total salary paid for the above selected criteria
Create Bank Entry for the total salary paid for the above selected criteria,Create Bank Entry for the total salary paid for the above selected criteria
Create Customer,Create Customer
Create Material Requests,Create Material Requests
Create New,Create New
@ -630,7 +630,7 @@ Credentials,Credentials
Credit,Credit
Credit Amt,Credit Amt
Credit Card,Credit Card
Credit Card Voucher,Credit Card Voucher
Credit Card Entry,Credit Card Entry
Credit Controller,Credit Controller
Credit Days,Credit Days
Credit Limit,Credit Limit
@ -944,7 +944,7 @@ Everyone can read,Everyone can read
"Example: ABCD.#####If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Example: ABCD.#####If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank."
Exchange Rate,Exchange Rate
Excise Page Number,Excise Page Number
Excise Voucher,Excise Voucher
Excise Entry,Excise Entry
Execution,Execution
Executive Search,Executive Search
Exemption Limit,Exemption Limit
@ -1401,11 +1401,11 @@ Job Title,Job Title
Jobs Email Settings,Jobs Email Settings
Journal Entries,Journal Entries
Journal Entry,Journal Entry
Journal Voucher,Journal Voucher
Journal Entry,Journal Entry
Journal Entry Account,Journal Entry Account
Journal Entry Account No,Journal Entry Account No
Journal Voucher {0} does not have account {1} or already matched,Journal Voucher {0} does not have account {1} or already matched
Journal Vouchers {0} are un-linked,Journal Vouchers {0} are un-linked
Journal Entry {0} does not have account {1} or already matched,Journal Entry {0} does not have account {1} or already matched
Journal Entries {0} are un-linked,Journal Entries {0} are un-linked
Keep a track of communication related to this enquiry which will help for future reference.,Keep a track of communication related to this enquiry which will help for future reference.
Keep it web friendly 900px (w) by 100px (h),Keep it web friendly 900px (w) by 100px (h)
Key Performance Area,Key Performance Area
@ -1519,7 +1519,7 @@ Maintenance start date can not be before delivery date for Serial No {0},Mainten
Major/Optional Subjects,Major/Optional Subjects
Make ,Stwórz
Make Accounting Entry For Every Stock Movement,Make Accounting Entry For Every Stock Movement
Make Bank Voucher,Make Bank Voucher
Make Bank Entry,Make Bank Entry
Make Credit Note,Make Credit Note
Make Debit Note,Make Debit Note
Make Delivery,Make Delivery
@ -2982,7 +2982,7 @@ Update Series Number,Update Series Number
Update Stock,Update Stock
"Update allocated amount in the above table and then click ""Allocate"" button","Update allocated amount in the above table and then click ""Allocate"" button"
Update bank payment dates with journals.,Update bank payment dates with journals.
Update clearance date of Journal Entries marked as 'Bank Vouchers',Update clearance date of Journal Entries marked as 'Bank Vouchers'
Update clearance date of Journal Entries marked as 'Bank Entry',Update clearance date of Journal Entries marked as 'Bank Entry'
Updated,Updated
Updated Birthday Reminders,Updated Birthday Reminders
Upload Attendance,Upload Attendance
@ -3117,7 +3117,7 @@ Write Off Amount <=,Write Off Amount <=
Write Off Based On,Write Off Based On
Write Off Cost Center,Write Off Cost Center
Write Off Outstanding Amount,Write Off Outstanding Amount
Write Off Voucher,Write Off Voucher
Write Off Entry,Write Off Entry
Wrong Template: Unable to find head row.,Wrong Template: Unable to find head row.
Year,Rok
Year Closed,Year Closed
@ -3139,7 +3139,7 @@ You can enter the minimum quantity of this item to be ordered.,"Można wpisać m
You can not assign itself as parent account,You can not assign itself as parent account
You can not change rate if BOM mentioned agianst any item,You can not change rate if BOM mentioned agianst any item
You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.
You can not enter current voucher in 'Against Journal Voucher' column,You can not enter current voucher in 'Against Journal Voucher' column
You can not enter current voucher in 'Against Journal Entry' column,You can not enter current voucher in 'Against Journal Entry' column
You can set Default Bank Account in Company master,You can set Default Bank Account in Company master
You can start by selecting backup frequency and granting access for sync,You can start by selecting backup frequency and granting access for sync
You can submit this Stock Reconciliation.,You can submit this Stock Reconciliation.

1 (Half Day) (Pół dnia)
145 Against Entries Against Entries
146 Against Expense Account Against Expense Account
147 Against Income Account Against Income Account
148 Against Journal Voucher Against Journal Entry Against Journal Voucher Against Journal Entry
149 Against Journal Voucher {0} does not have any unmatched {1} entry Against Journal Entry {0} does not have any unmatched {1} entry Against Journal Voucher {0} does not have any unmatched {1} entry Against Journal Entry {0} does not have any unmatched {1} entry
150 Against Purchase Invoice Against Purchase Invoice
151 Against Sales Invoice Against Sales Invoice
152 Against Sales Order Against Sales Order
328 Bank Reconciliation Bank Reconciliation
329 Bank Reconciliation Detail Bank Reconciliation Detail
330 Bank Reconciliation Statement Bank Reconciliation Statement
331 Bank Voucher Bank Entry Bank Voucher Bank Entry
332 Bank/Cash Balance Bank/Cash Balance
333 Banking Banking
334 Barcode Kod kreskowy
457 Case No. cannot be 0 Case No. cannot be 0
458 Cash Gotówka
459 Cash In Hand Cash In Hand
460 Cash Voucher Cash Entry Cash Voucher Cash Entry
461 Cash or Bank Account is mandatory for making payment entry Cash or Bank Account is mandatory for making payment entry
462 Cash/Bank Account Cash/Bank Account
463 Casual Leave Casual Leave
577 Contacts Kontakty
578 Content Zawartość
579 Content Type Content Type
580 Contra Voucher Contra Entry Contra Voucher Contra Entry
581 Contract Kontrakt
582 Contract End Date Contract End Date
583 Contract End Date must be greater than Date of Joining Contract End Date must be greater than Date of Joining
608 Country Kraj
609 Country Name Nazwa kraju
610 Country, Timezone and Currency Country, Timezone and Currency
611 Create Bank Voucher for the total salary paid for the above selected criteria Create Bank Entry for the total salary paid for the above selected criteria Create Bank Voucher for the total salary paid for the above selected criteria Create Bank Entry for the total salary paid for the above selected criteria
612 Create Customer Create Customer
613 Create Material Requests Create Material Requests
614 Create New Create New
630 Credit Credit
631 Credit Amt Credit Amt
632 Credit Card Credit Card
633 Credit Card Voucher Credit Card Entry Credit Card Voucher Credit Card Entry
634 Credit Controller Credit Controller
635 Credit Days Credit Days
636 Credit Limit Credit Limit
944 Example: ABCD.#####If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank. Example: ABCD.#####If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.
945 Exchange Rate Exchange Rate
946 Excise Page Number Excise Page Number
947 Excise Voucher Excise Entry Excise Voucher Excise Entry
948 Execution Execution
949 Executive Search Executive Search
950 Exemption Limit Exemption Limit
1401 Jobs Email Settings Jobs Email Settings
1402 Journal Entries Journal Entries
1403 Journal Entry Journal Entry
1404 Journal Voucher Journal Entry Journal Voucher Journal Entry
1405 Journal Entry Account Journal Entry Account
1406 Journal Entry Account No Journal Entry Account No
1407 Journal Voucher {0} does not have account {1} or already matched Journal Entry {0} does not have account {1} or already matched Journal Voucher {0} does not have account {1} or already matched Journal Entry {0} does not have account {1} or already matched
1408 Journal Vouchers {0} are un-linked Journal Entries {0} are un-linked Journal Vouchers {0} are un-linked Journal Entries {0} are un-linked
1409 Keep a track of communication related to this enquiry which will help for future reference. Keep a track of communication related to this enquiry which will help for future reference.
1410 Keep it web friendly 900px (w) by 100px (h) Keep it web friendly 900px (w) by 100px (h)
1411 Key Performance Area Key Performance Area
1519 Major/Optional Subjects Major/Optional Subjects
1520 Make Stwórz
1521 Make Accounting Entry For Every Stock Movement Make Accounting Entry For Every Stock Movement
1522 Make Bank Voucher Make Bank Entry Make Bank Voucher Make Bank Entry
1523 Make Credit Note Make Credit Note
1524 Make Debit Note Make Debit Note
1525 Make Delivery Make Delivery
2982 Update Stock Update Stock
2983 Update allocated amount in the above table and then click "Allocate" button Update allocated amount in the above table and then click "Allocate" button
2984 Update bank payment dates with journals. Update bank payment dates with journals.
2985 Update clearance date of Journal Entries marked as 'Bank Vouchers' Update clearance date of Journal Entries marked as 'Bank Entry' Update clearance date of Journal Entries marked as 'Bank Vouchers' Update clearance date of Journal Entries marked as 'Bank Entry'
2986 Updated Updated
2987 Updated Birthday Reminders Updated Birthday Reminders
2988 Upload Attendance Upload Attendance
3117 Write Off Based On Write Off Based On
3118 Write Off Cost Center Write Off Cost Center
3119 Write Off Outstanding Amount Write Off Outstanding Amount
3120 Write Off Voucher Write Off Entry Write Off Voucher Write Off Entry
3121 Wrong Template: Unable to find head row. Wrong Template: Unable to find head row.
3122 Year Rok
3123 Year Closed Year Closed
3139 You can not assign itself as parent account You can not assign itself as parent account
3140 You can not change rate if BOM mentioned agianst any item You can not change rate if BOM mentioned agianst any item
3141 You can not enter both Delivery Note No and Sales Invoice No. Please enter any one. You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.
3142 You can not enter current voucher in 'Against Journal Voucher' column You can not enter current voucher in 'Against Journal Entry' column You can not enter current voucher in 'Against Journal Voucher' column You can not enter current voucher in 'Against Journal Entry' column
3143 You can set Default Bank Account in Company master You can set Default Bank Account in Company master
3144 You can start by selecting backup frequency and granting access for sync You can start by selecting backup frequency and granting access for sync
3145 You can submit this Stock Reconciliation. You can submit this Stock Reconciliation.

View File

@ -178,8 +178,8 @@ Against Document Detail No,Contra Detalhe do Documento nº
Against Document No,Contra Documento nº
Against Expense Account,Contra a Conta de Despesas
Against Income Account,Contra a Conta de Rendimentos
Against Journal Voucher,Contra Comprovante do livro Diário
Against Journal Voucher {0} does not have any unmatched {1} entry,Contra Jornal Vale {0} não tem {1} entrada incomparável
Against Journal Entry,Contra Comprovante do livro Diário
Against Journal Entry {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,Contra Ordem de Vendas
@ -361,7 +361,7 @@ Bank Overdraft Account,Conta Garantida Banco
Bank Reconciliation,Reconciliação Bancária
Bank Reconciliation Detail,Detalhe da Reconciliação Bancária
Bank Reconciliation Statement,Declaração de reconciliação bancária
Bank Voucher,Comprovante Bancário
Bank Entry,Comprovante Bancário
Bank/Cash Balance,Banco / Saldo de Caixa
Banking,bancário
Barcode,Código de barras
@ -496,7 +496,7 @@ Case No(s) already in use. Try from Case No {0},Processo n º (s) já está em u
Case No. cannot be 0,Caso n não pode ser 0
Cash,Numerário
Cash In Hand,Dinheiro na mão
Cash Voucher,Comprovante de Caixa
Cash Entry,Comprovante de Caixa
Cash or Bank Account is mandatory for making payment entry,Dinheiro ou conta bancária é obrigatória para a tomada de entrada de pagamento
Cash/Bank Account,Conta do Caixa/Banco
Casual Leave,Casual Deixar
@ -620,7 +620,7 @@ Contact master.,Contato mestre.
Contacts,Contactos
Content,Conteúdo
Content Type,Tipo de Conteúdo
Contra Voucher,Comprovante de Caixa
Contra Entry,Comprovante de Caixa
Contract,contrato
Contract End Date,Data Final do contrato
Contract End Date must be greater than Date of Joining,Data Contrato Final deve ser maior que Data de Participar
@ -651,7 +651,7 @@ Country,País
Country Name,Nome do País
Country wise default Address Templates,Modelos País default sábio endereço
"Country, Timezone and Currency","País , o fuso horário e moeda"
Create Bank Voucher for the total salary paid for the above selected criteria,Criar Comprovante Bancário para o salário total pago para os critérios acima selecionados
Create Bank Entry for the total salary paid for the above selected criteria,Criar Comprovante Bancário para o salário total pago para os critérios acima selecionados
Create Customer,criar Cliente
Create Material Requests,Criar Pedidos de Materiais
Create New,criar Novo
@ -673,7 +673,7 @@ Credentials,Credenciais
Credit,Crédito
Credit Amt,Montante de Crédito
Credit Card,cartão de crédito
Credit Card Voucher,Comprovante do cartão de crédito
Credit Card Entry,Comprovante do cartão de crédito
Credit Controller,Controlador de crédito
Credit Days,Dias de Crédito
Credit Limit,Limite de Crédito
@ -1009,7 +1009,7 @@ Excise Duty @ 8,Impostos Especiais de Consumo @ 8
Excise Duty Edu Cess 2,Impostos Especiais de Consumo Edu Cess 2
Excise Duty SHE Cess 1,Impostos Especiais de Consumo SHE Cess 1
Excise Page Number,Número de página do imposto
Excise Voucher,Comprovante do imposto
Excise Entry,Comprovante do imposto
Execution,execução
Executive Search,Executive Search
Exemption Limit,Limite de isenção
@ -1357,7 +1357,7 @@ Invoice Period From,Fatura Período De
Invoice Period From and Invoice Period To dates mandatory for recurring invoice,Fatura Período De e Período fatura para datas obrigatórias para fatura recorrentes
Invoice Period To,Período fatura para
Invoice Type,Tipo de Fatura
Invoice/Journal Voucher Details,Factura / Jornal Vale detalhes
Invoice/Journal Entry Details,Factura / Jornal Vale detalhes
Invoiced Amount (Exculsive Tax),Valor faturado ( Exculsive Tributário)
Is Active,É Ativo
Is Advance,É antecipado
@ -1489,11 +1489,11 @@ Job Title,Cargo
Jobs Email Settings,Configurações do e-mail de empregos
Journal Entries,Lançamentos do livro Diário
Journal Entry,Lançamento do livro Diário
Journal Voucher,Comprovante do livro Diário
Journal Entry,Comprovante do livro Diário
Journal Entry Account,Detalhe do Comprovante do livro Diário
Journal Entry Account No,Nº do Detalhe do Comprovante do livro Diário
Journal Voucher {0} does not have account {1} or already matched,Jornal Vale {0} não tem conta {1} ou já combinava
Journal Vouchers {0} are un-linked,Jornal Vouchers {0} são não- ligado
Journal Entry {0} does not have account {1} or already matched,Jornal Vale {0} não tem conta {1} ou já combinava
Journal Entries {0} are un-linked,Jornal Vouchers {0} são não- ligado
Keep a track of communication related to this enquiry which will help for future reference.,"Mantenha o controle de comunicações relacionadas a esta consulta, o que irá ajudar para futuras referências."
Keep it web friendly 900px (w) by 100px (h),Mantenha- web 900px amigável (w) por 100px ( h )
Key Performance Area,Área Chave de Performance
@ -1608,7 +1608,7 @@ Maintenance start date can not be before delivery date for Serial No {0},Manuten
Major/Optional Subjects,Assuntos Principais / Opcionais
Make ,
Make Accounting Entry For Every Stock Movement,Faça Contabilidade entrada para cada Banco de Movimento
Make Bank Voucher,Fazer Comprovante Bancário
Make Bank Entry,Fazer Comprovante Bancário
Make Credit Note,Faça Nota de Crédito
Make Debit Note,Faça Nota de Débito
Make Delivery,Faça Entrega
@ -3144,7 +3144,7 @@ Update Series,Atualizar Séries
Update Series Number,Atualizar Números de Séries
Update Stock,Atualizar Estoque
Update bank payment dates with journals.,Atualizar datas de pagamento bancário com livro Diário.
Update clearance date of Journal Entries marked as 'Bank Vouchers',Data de apuramento Atualização de entradas de diário marcado como ' Banco ' Vouchers
Update clearance date of Journal Entries marked as 'Bank Entry',Data de apuramento Atualização de entradas de diário marcado como ' Banco ' Vouchers
Updated,Atualizado
Updated Birthday Reminders,Atualizado Aniversário Lembretes
Upload Attendance,Envie Atendimento
@ -3282,7 +3282,7 @@ Write Off Amount <=,Eliminar Valor &lt;=
Write Off Based On,Eliminar Baseado em
Write Off Cost Center,Eliminar Centro de Custos
Write Off Outstanding Amount,Eliminar saldo devedor
Write Off Voucher,Eliminar comprovante
Write Off Entry,Eliminar comprovante
Wrong Template: Unable to find head row.,Template errado: Não é possível encontrar linha cabeça.
Year,Ano
Year Closed,Ano Encerrado
@ -3300,7 +3300,7 @@ You can enter any date manually,Você pode entrar qualquer data manualmente
You can enter the minimum quantity of this item to be ordered.,Você pode inserir a quantidade mínima deste item a ser encomendada.
You can not change rate if BOM mentioned agianst any item,Você não pode alterar a taxa de se BOM mencionado agianst qualquer item
You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,Você não pode entrar tanto de entrega Nota Não e Vendas fatura Não. Por favor entrar em qualquer um.
You can not enter current voucher in 'Against Journal Voucher' column,Você não pode entrar comprovante atual em ' Contra Jornal Vale ' coluna
You can not enter current voucher in 'Against Journal Entry' column,Você não pode entrar comprovante atual em ' Contra Jornal Vale ' coluna
You can set Default Bank Account in Company master,Você pode definir padrão Conta Bancária no mestre Empresa
You can start by selecting backup frequency and granting access for sync,Você pode começar por selecionar a freqüência de backup e concessão de acesso para sincronização
You can submit this Stock Reconciliation.,Você pode enviar este Stock Reconciliação.

1 (Half Day) (Meio Dia)
178 All Lead (Open) Todos Prospectos (Abertos)
179 All Products or Services. Todos os Produtos ou Serviços.
180 All Sales Partner Contact Todo Contato de Parceiros de Vendas
181 All Sales Person Todos os Vendedores
182 All Supplier Contact Todo Contato de Fornecedor
183 All Supplier Types Todos os tipos de fornecedores
184 All Territories Todos os Territórios
185 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
361 Bill No {0} already booked in Purchase Invoice {1} Bill Não {0} já reservado na factura de compra {1}
362 Bill of Material Lista de Materiais
363 Bill of Material to be considered for manufacturing Lista de Materiais a serem considerados para a fabricação
364 Bill of Materials (BOM) Lista de Materiais (LDM)
365 Billable Faturável
366 Billed Faturado
367 Billed Amount valor faturado
496 Check to make Shipping Address Marque para criar Endereço de Remessa
497 Check to make primary address Marque para criar Endereço Principal
498 Chemical químico
499 Cheque Cheque
500 Cheque Date Data do Cheque
501 Cheque Number Número do cheque
502 Child account exists for this account. You can not delete this account. Conta Criança existe para esta conta. Você não pode excluir esta conta.
620 Cost Center with existing transactions can not be converted to ledger Centro de custo com as operações existentes não podem ser convertidos em livro
621 Cost Center {0} does not belong to Company {1} Centro de Custo {0} não pertence a Empresa {1}
622 Cost of Goods Sold Custo dos Produtos Vendidos
623 Costing Custeio
624 Country País
625 Country Name Nome do País
626 Country wise default Address Templates Modelos País default sábio endereço
651 Credit Controller Controlador de crédito
652 Credit Days Dias de Crédito
653 Credit Limit Limite de Crédito
654 Credit Note Nota de Crédito
655 Credit To Crédito Para
656 Currency Moeda
657 Currency Exchange Câmbio
673 Custom Autoreply Message Mensagem de resposta automática personalizada
674 Custom Message Mensagem personalizada
675 Customer Cliente
676 Customer (Receivable) Account Cliente (receber) Conta
677 Customer / Item Name Cliente / Nome do item
678 Customer / Lead Address Cliente / Chumbo Endereço
679 Customer / Lead Name Cliente / Nome de chumbo
1009 Expense Claim Type Tipo de Pedido de Reembolso de Despesas
1010 Expense Claim has been approved. Despesa reivindicação foi aprovada.
1011 Expense Claim has been rejected. Despesa reivindicação foi rejeitada.
1012 Expense Claim is pending approval. Only the Expense Approver can update status. Despesa reivindicação está pendente de aprovação . Somente o aprovador Despesa pode atualizar status.
1013 Expense Date Data da despesa
1014 Expense Details Detalhes da despesa
1015 Expense Head Conta de despesas
1357 Item Advanced Item antecipado
1358 Item Barcode Código de barras do Item
1359 Item Batch Nos Nº do Lote do Item
1360 Item Code Código do Item
1361 Item Code > Item Group > Brand Código do item> Item Grupo> Marca
1362 Item Code and Warehouse should already exist. Código do item e Warehouse já deve existir.
1363 Item Code cannot be changed for Serial No. Código do item não pode ser alterado para Serial No.
1489 Lead Status Chumbo Estado
1490 Lead Time Date Prazo de entrega
1491 Lead Time Days Prazo de entrega
1492 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. Levar dias Tempo é o número de dias em que este item é esperado no seu armazém. Este dia é buscada em solicitar material ao selecionar este item.
1493 Lead Type Tipo de Prospecto
1494 Lead must be set if Opportunity is made from Lead Fila deve ser definido se Opportunity é feito de chumbo
1495 Leave Allocation Alocação de Licenças
1496 Leave Allocation Tool Ferramenta de Alocação de Licenças
1497 Leave Application Solicitação de Licenças
1498 Leave Approver Aprovador de Licenças
1499 Leave Approvers Deixe aprovadores
1608 Management gestão
1609 Manager gerente
1610 Mandatory if Stock Item is "Yes". Also the default warehouse where reserved quantity is set from Sales Order. Obrigatório se o estoque do item é &quot;Sim&quot;. Além disso, o armazém padrão onde quantidade reservada é definido a partir de Ordem de Vendas.
1611 Manufacture against Sales Order Fabricação contra a Ordem de Venda
1612 Manufacture/Repack Fabricar / Reembalar
1613 Manufactured Qty Qtde. fabricada
1614 Manufactured quantity will be updated in this warehouse Quantidade fabricada será atualizada neste almoxarifado
3144 Vehicle Dispatch Date Veículo Despacho Data
3145 Vehicle No No veículo
3146 Venture Capital venture Capital
3147 Verified By Verificado Por
3148 View Ledger Ver Ledger
3149 View Now Ver Agora
3150 Visit report for maintenance call. Relatório da visita da chamada de manutenção.
3282 cannot be greater than 100 não pode ser maior do que 100
3283 e.g. "Build tools for builders" por exemplo "Construa ferramentas para os construtores "
3284 e.g. "MC" por exemplo " MC "
3285 e.g. "My Company LLC" por exemplo " My Company LLC"
3286 e.g. 5 por exemplo 5
3287 e.g. Bank, Cash, Credit Card por exemplo Banco, Dinheiro, Cartão de Crédito
3288 e.g. Kg, Unit, Nos, m por exemplo, kg, Unidade, nº, m
3300 {0} Serial Numbers required for Item {0}. Only {0} provided. {0} números de série necessários para item {0}. Apenas {0} fornecida .
3301 {0} budget for Account {1} against Cost Center {2} will exceed by {3} {0} orçamento para conta {1} contra Centro de Custo {2} excederá por {3}
3302 {0} can not be negative {0} não pode ser negativo
3303 {0} created {0} criado
3304 {0} does not belong to Company {1} {0} não pertence à empresa {1}
3305 {0} entered twice in Item Tax {0} entrou duas vezes em Imposto item
3306 {0} is an invalid email address in 'Notification Email Address' {0} é um endereço de e-mail inválido em ' Notificação de E-mail '

View File

@ -152,8 +152,8 @@ 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 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 Journal Entry,Contra Vale Jornal
Against Journal Entry {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,Contra Ordem de Venda
@ -335,7 +335,7 @@ Bank Overdraft Account,Conta Garantida Banco
Bank Reconciliation,Banco Reconciliação
Bank Reconciliation Detail,Banco Detalhe Reconciliação
Bank Reconciliation Statement,Declaração de reconciliação bancária
Bank Voucher,Vale banco
Bank Entry,Vale banco
Bank/Cash Balance,Banco / Saldo de Caixa
Banking,bancário
Barcode,Código de barras
@ -470,7 +470,7 @@ Case No(s) already in use. Try from Case No {0},Processo n º (s) já está em u
Case No. cannot be 0,Zaak nr. mag geen 0
Cash,Numerário
Cash In Hand,Dinheiro na mão
Cash Voucher,Comprovante de dinheiro
Cash Entry,Comprovante de dinheiro
Cash or Bank Account is mandatory for making payment entry,Dinheiro ou conta bancária é obrigatória para a tomada de entrada de pagamento
Cash/Bank Account,Caixa / Banco Conta
Casual Leave,Casual Deixar
@ -594,7 +594,7 @@ Contact master.,Contato mestre.
Contacts,Contactos
Content,Conteúdo
Content Type,Tipo de conteúdo
Contra Voucher,Vale Contra
Contra Entry,Vale Contra
Contract,contrato
Contract End Date,Data final do contrato
Contract End Date must be greater than Date of Joining,Data Contrato Final deve ser maior que Data de Participar
@ -625,7 +625,7 @@ Country,País
Country Name,Nome do País
Country wise default Address Templates,Modelos País default sábio endereço
"Country, Timezone and Currency","Country , Tijdzone en Valuta"
Create Bank Voucher for the total salary paid for the above selected criteria,Criar Vale do Banco Mundial para o salário total pago para os critérios acima selecionados
Create Bank Entry for the total salary paid for the above selected criteria,Criar Vale do Banco Mundial para o salário total pago para os critérios acima selecionados
Create Customer,Maak de klant
Create Material Requests,Criar Pedidos de Materiais
Create New,Create New
@ -647,7 +647,7 @@ Credentials,Credenciais
Credit,Crédito
Credit Amt,Crédito Amt
Credit Card,cartão de crédito
Credit Card Voucher,Comprovante do cartão de crédito
Credit Card Entry,Comprovante do cartão de crédito
Credit Controller,Controlador de crédito
Credit Days,Dias de crédito
Credit Limit,Limite de Crédito
@ -979,7 +979,7 @@ Excise Duty @ 8,Impostos Especiais de Consumo @ 8
Excise Duty Edu Cess 2,Impostos Especiais de Consumo Edu Cess 2
Excise Duty SHE Cess 1,Impostos Especiais de Consumo SHE Cess 1
Excise Page Number,Número de página especial sobre o consumo
Excise Voucher,Vale especiais de consumo
Excise Entry,Vale especiais de consumo
Execution,execução
Executive Search,Executive Search
Exemption Limit,Limite de isenção
@ -1327,7 +1327,7 @@ Invoice Period From,Fatura Período De
Invoice Period From and Invoice Period To dates mandatory for recurring invoice,Fatura Período De e Período fatura para datas obrigatórias para fatura recorrentes
Invoice Period To,Período fatura para
Invoice Type,Tipo de Fatura
Invoice/Journal Voucher Details,Factura / Jornal Vale detalhes
Invoice/Journal Entry Details,Factura / Jornal Vale detalhes
Invoiced Amount (Exculsive Tax),Factuurbedrag ( Exculsive BTW )
Is Active,É Ativo
Is Advance,É o avanço
@ -1457,11 +1457,11 @@ Job Title,Cargo
Jobs Email Settings,E-mail Configurações de empregos
Journal Entries,Jornal entradas
Journal Entry,Journal Entry
Journal Voucher,Vale Jornal
Journal Entry,Vale Jornal
Journal Entry Account,Jornal Detalhe Vale
Journal Entry Account No,Jornal Detalhe folha no
Journal Voucher {0} does not have account {1} or already matched,Jornal Vale {0} não tem conta {1} ou já combinava
Journal Vouchers {0} are un-linked,Jornal Vouchers {0} são não- ligado
Journal Entry {0} does not have account {1} or already matched,Jornal Vale {0} não tem conta {1} ou já combinava
Journal Entries {0} are un-linked,Jornal Vouchers {0} são não- ligado
Keep a track of communication related to this enquiry which will help for future reference.,Mantenha uma faixa de comunicação relacionada a este inquérito que irá ajudar para referência futura.
Keep it web friendly 900px (w) by 100px (h),Mantenha- web 900px amigável (w) por 100px ( h )
Key Performance Area,Área Key Performance
@ -1576,7 +1576,7 @@ Maintenance start date can not be before delivery date for Serial No {0},Manuten
Major/Optional Subjects,Assuntos Principais / Opcional
Make ,Make
Make Accounting Entry For Every Stock Movement,Maak boekhoudkundige afschrijving voor elke Stock Movement
Make Bank Voucher,Faça Vale Banco
Make Bank Entry,Faça Vale Banco
Make Credit Note,Maak Credit Note
Make Debit Note,Maak debetnota
Make Delivery,Maak Levering
@ -3096,7 +3096,7 @@ Update Series,Atualização Series
Update Series Number,Atualização de Número de Série
Update Stock,Actualização de stock
Update bank payment dates with journals.,Atualização de pagamento bancário com data revistas.
Update clearance date of Journal Entries marked as 'Bank Vouchers',Goedkeuring datum actualisering van Journaalposten gemarkeerd als ' Bank Vouchers '
Update clearance date of Journal Entries marked as 'Bank Entry',Goedkeuring datum actualisering van Journaalposten gemarkeerd als ' Bank Entry '
Updated,Atualizado
Updated Birthday Reminders,Bijgewerkt verjaardagsherinneringen
Upload Attendance,Envie Atendimento
@ -3234,7 +3234,7 @@ Write Off Amount <=,Escreva Off Valor &lt;=
Write Off Based On,Escreva Off Baseado em
Write Off Cost Center,Escreva Off Centro de Custos
Write Off Outstanding Amount,Escreva Off montante em dívida
Write Off Voucher,Escreva voucher
Write Off Entry,Escreva voucher
Wrong Template: Unable to find head row.,Template errado: Não é possível encontrar linha cabeça.
Year,Ano
Year Closed,Ano Encerrado
@ -3252,7 +3252,7 @@ You can enter any date manually,Você pode entrar em qualquer data manualmente
You can enter the minimum quantity of this item to be ordered.,Você pode inserir a quantidade mínima deste item a ser ordenada.
You can not change rate if BOM mentioned agianst any item,U kunt geen koers veranderen als BOM agianst een item genoemd
You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,Je kunt niet Geen Voer beide Delivery Note en verkoopfactuur Nee Geef iemand.
You can not enter current voucher in 'Against Journal Voucher' column,Você não pode entrar comprovante atual em ' Contra Jornal Vale ' coluna
You can not enter current voucher in 'Against Journal Entry' column,Você não pode entrar comprovante atual em ' Contra Jornal Vale ' coluna
You can set Default Bank Account in Company master,Você pode definir padrão Conta Bancária no mestre Empresa
You can start by selecting backup frequency and granting access for sync,Você pode começar por selecionar a freqüência de backup e concessão de acesso para sincronização
You can submit this Stock Reconciliation.,U kunt indienen dit Stock Verzoening .

1 (Half Day) (Meio Dia)
152 Against Document No Contra documento No
153 Against Expense Account Contra a conta de despesas
154 Against Income Account Contra Conta a Receber
155 Against Journal Voucher Against Journal Entry Contra Vale Jornal
156 Against Journal Voucher {0} does not have any unmatched {1} entry Against Journal Entry {0} does not have any unmatched {1} entry Contra Jornal Vale {0} não tem {1} entrada incomparável
157 Against Purchase Invoice Contra a Nota Fiscal de Compra
158 Against Sales Invoice Contra a nota fiscal de venda
159 Against Sales Order Contra Ordem de Venda
335 Bank Reconciliation Banco Reconciliação
336 Bank Reconciliation Detail Banco Detalhe Reconciliação
337 Bank Reconciliation Statement Declaração de reconciliação bancária
338 Bank Voucher Bank Entry Vale banco
339 Bank/Cash Balance Banco / Saldo de Caixa
340 Banking bancário
341 Barcode Código de barras
470 Case No. cannot be 0 Zaak nr. mag geen 0
471 Cash Numerário
472 Cash In Hand Dinheiro na mão
473 Cash Voucher Cash Entry Comprovante de dinheiro
474 Cash or Bank Account is mandatory for making payment entry Dinheiro ou conta bancária é obrigatória para a tomada de entrada de pagamento
475 Cash/Bank Account Caixa / Banco Conta
476 Casual Leave Casual Deixar
594 Contacts Contactos
595 Content Conteúdo
596 Content Type Tipo de conteúdo
597 Contra Voucher Contra Entry Vale Contra
598 Contract contrato
599 Contract End Date Data final do contrato
600 Contract End Date must be greater than Date of Joining Data Contrato Final deve ser maior que Data de Participar
625 Country Name Nome do País
626 Country wise default Address Templates Modelos País default sábio endereço
627 Country, Timezone and Currency Country , Tijdzone en Valuta
628 Create Bank Voucher for the total salary paid for the above selected criteria Create Bank Entry for the total salary paid for the above selected criteria Criar Vale do Banco Mundial para o salário total pago para os critérios acima selecionados
629 Create Customer Maak de klant
630 Create Material Requests Criar Pedidos de Materiais
631 Create New Create New
647 Credit Crédito
648 Credit Amt Crédito Amt
649 Credit Card cartão de crédito
650 Credit Card Voucher Credit Card Entry Comprovante do cartão de crédito
651 Credit Controller Controlador de crédito
652 Credit Days Dias de crédito
653 Credit Limit Limite de Crédito
979 Excise Duty Edu Cess 2 Impostos Especiais de Consumo Edu Cess 2
980 Excise Duty SHE Cess 1 Impostos Especiais de Consumo SHE Cess 1
981 Excise Page Number Número de página especial sobre o consumo
982 Excise Voucher Excise Entry Vale especiais de consumo
983 Execution execução
984 Executive Search Executive Search
985 Exemption Limit Limite de isenção
1327 Invoice Period From and Invoice Period To dates mandatory for recurring invoice Fatura Período De e Período fatura para datas obrigatórias para fatura recorrentes
1328 Invoice Period To Período fatura para
1329 Invoice Type Tipo de Fatura
1330 Invoice/Journal Voucher Details Invoice/Journal Entry Details Factura / Jornal Vale detalhes
1331 Invoiced Amount (Exculsive Tax) Factuurbedrag ( Exculsive BTW )
1332 Is Active É Ativo
1333 Is Advance É o avanço
1457 Jobs Email Settings E-mail Configurações de empregos
1458 Journal Entries Jornal entradas
1459 Journal Entry Journal Entry
1460 Journal Voucher Journal Entry Vale Jornal
1461 Journal Entry Account Jornal Detalhe Vale
1462 Journal Entry Account No Jornal Detalhe folha no
1463 Journal Voucher {0} does not have account {1} or already matched Journal Entry {0} does not have account {1} or already matched Jornal Vale {0} não tem conta {1} ou já combinava
1464 Journal Vouchers {0} are un-linked Journal Entries {0} are un-linked Jornal Vouchers {0} são não- ligado
1465 Keep a track of communication related to this enquiry which will help for future reference. Mantenha uma faixa de comunicação relacionada a este inquérito que irá ajudar para referência futura.
1466 Keep it web friendly 900px (w) by 100px (h) Mantenha- web 900px amigável (w) por 100px ( h )
1467 Key Performance Area Área Key Performance
1576 Major/Optional Subjects Assuntos Principais / Opcional
1577 Make Make
1578 Make Accounting Entry For Every Stock Movement Maak boekhoudkundige afschrijving voor elke Stock Movement
1579 Make Bank Voucher Make Bank Entry Faça Vale Banco
1580 Make Credit Note Maak Credit Note
1581 Make Debit Note Maak debetnota
1582 Make Delivery Maak Levering
3096 Update Series Number Atualização de Número de Série
3097 Update Stock Actualização de stock
3098 Update bank payment dates with journals. Atualização de pagamento bancário com data revistas.
3099 Update clearance date of Journal Entries marked as 'Bank Vouchers' Update clearance date of Journal Entries marked as 'Bank Entry' Goedkeuring datum actualisering van Journaalposten gemarkeerd als ' Bank Vouchers ' Goedkeuring datum actualisering van Journaalposten gemarkeerd als ' Bank Entry '
3100 Updated Atualizado
3101 Updated Birthday Reminders Bijgewerkt verjaardagsherinneringen
3102 Upload Attendance Envie Atendimento
3234 Write Off Based On Escreva Off Baseado em
3235 Write Off Cost Center Escreva Off Centro de Custos
3236 Write Off Outstanding Amount Escreva Off montante em dívida
3237 Write Off Voucher Write Off Entry Escreva voucher
3238 Wrong Template: Unable to find head row. Template errado: Não é possível encontrar linha cabeça.
3239 Year Ano
3240 Year Closed Ano Encerrado
3252 You can enter the minimum quantity of this item to be ordered. Você pode inserir a quantidade mínima deste item a ser ordenada.
3253 You can not change rate if BOM mentioned agianst any item U kunt geen koers veranderen als BOM agianst een item genoemd
3254 You can not enter both Delivery Note No and Sales Invoice No. Please enter any one. Je kunt niet Geen Voer beide Delivery Note en verkoopfactuur Nee Geef iemand.
3255 You can not enter current voucher in 'Against Journal Voucher' column You can not enter current voucher in 'Against Journal Entry' column Você não pode entrar comprovante atual em ' Contra Jornal Vale ' coluna
3256 You can set Default Bank Account in Company master Você pode definir padrão Conta Bancária no mestre Empresa
3257 You can start by selecting backup frequency and granting access for sync Você pode começar por selecionar a freqüência de backup e concessão de acesso para sincronização
3258 You can submit this Stock Reconciliation. U kunt indienen dit Stock Verzoening .

View File

@ -152,8 +152,8 @@ Against Document Detail No,Împotriva Document Detaliu Nu
Against Document No,Împotriva Documentul nr
Against Expense Account,Împotriva cont de cheltuieli
Against Income Account,Împotriva contul de venit
Against Journal Voucher,Împotriva Jurnalul Voucher
Against Journal Voucher {0} does not have any unmatched {1} entry,Împotriva Jurnalul Voucher {0} nu are nici neegalat {1} intrare
Against Journal Entry,Împotriva Jurnalul Voucher
Against Journal Entry {0} does not have any unmatched {1} entry,Împotriva Jurnalul Voucher {0} nu are nici neegalat {1} intrare
Against Purchase Invoice,Împotriva cumparare factură
Against Sales Invoice,Împotriva Factura Vanzare
Against Sales Order,Împotriva comandă de vânzări
@ -335,7 +335,7 @@ Bank Overdraft Account,Descoperitul de cont bancar
Bank Reconciliation,Banca Reconciliere
Bank Reconciliation Detail,Banca Reconcilierea Detaliu
Bank Reconciliation Statement,Extras de cont de reconciliere
Bank Voucher,Bancă Voucher
Bank Entry,Bancă Voucher
Bank/Cash Balance,Bank / Cash Balance
Banking,Bancar
Barcode,Cod de bare
@ -470,7 +470,7 @@ Case No(s) already in use. Try from Case No {0},Cazul (e) deja în uz. Încerca
Case No. cannot be 0,"Caz Nu, nu poate fi 0"
Cash,Numerar
Cash In Hand,Bani în mână
Cash Voucher,Cash Voucher
Cash Entry,Cash Entry
Cash or Bank Account is mandatory for making payment entry,Numerar sau cont bancar este obligatorie pentru a face intrarea plată
Cash/Bank Account,Contul Cash / Banca
Casual Leave,Casual concediu
@ -594,7 +594,7 @@ Contact master.,Contact maestru.
Contacts,Contacte
Content,Continut
Content Type,Tip de conținut
Contra Voucher,Contra Voucher
Contra Entry,Contra Entry
Contract,Contractarea
Contract End Date,Contract Data de încheiere
Contract End Date must be greater than Date of Joining,Contract Data de sfârșit trebuie să fie mai mare decât Data aderării
@ -625,7 +625,7 @@ Country,Ţară
Country Name,Nume țară
Country wise default Address Templates,Șabloanele țară înțelept adresa implicită
"Country, Timezone and Currency","Țară, Timezone și valutar"
Create Bank Voucher for the total salary paid for the above selected criteria,Crea Bank Voucher pentru salariul totală plătită pentru criteriile selectate de mai sus
Create Bank Entry for the total salary paid for the above selected criteria,Crea Bank Entry pentru salariul totală plătită pentru criteriile selectate de mai sus
Create Customer,Creare client
Create Material Requests,Cererile crea materiale
Create New,Crearea de noi
@ -647,7 +647,7 @@ Credentials,Scrisori de acreditare
Credit,credit
Credit Amt,Credit Amt
Credit Card,Card de credit
Credit Card Voucher,Card de credit Voucher
Credit Card Entry,Card de credit Voucher
Credit Controller,Controler de credit
Credit Days,Zile de credit
Credit Limit,Limita de credit
@ -979,7 +979,7 @@ Excise Duty @ 8,Accize @ 8
Excise Duty Edu Cess 2,Accizele Edu Cess 2
Excise Duty SHE Cess 1,Accizele SHE Cess 1
Excise Page Number,Numărul de accize Page
Excise Voucher,Accize Voucher
Excise Entry,Accize Voucher
Execution,Detalii de fabricaţie
Executive Search,Executive Search
Exemption Limit,Limita de scutire
@ -1327,7 +1327,7 @@ Invoice Period From,Perioada factura la
Invoice Period From and Invoice Period To dates mandatory for recurring invoice,Perioada factura la și facturilor perioadă la date obligatorii pentru facturi recurente
Invoice Period To,Perioada de facturare a
Invoice Type,Factura Tip
Invoice/Journal Voucher Details,Factura / Jurnalul Voucher Detalii
Invoice/Journal Entry Details,Factura / Jurnalul Voucher Detalii
Invoiced Amount (Exculsive Tax),Facturate Suma (Exculsive Tax)
Is Active,Este activ
Is Advance,Este Advance
@ -1457,11 +1457,11 @@ Job Title,Denumirea postului
Jobs Email Settings,Setări de locuri de muncă de e-mail
Journal Entries,Intrari in jurnal
Journal Entry,Jurnal de intrare
Journal Voucher,Jurnalul Voucher
Journal Entry,Jurnalul Voucher
Journal Entry Account,Jurnalul Voucher Detaliu
Journal Entry Account No,Jurnalul Voucher Detaliu Nu
Journal Voucher {0} does not have account {1} or already matched,Jurnalul Voucher {0} nu are cont {1} sau deja potrivire
Journal Vouchers {0} are un-linked,Jurnalul Tichete {0} sunt ne-legate de
Journal Entry {0} does not have account {1} or already matched,Jurnalul Voucher {0} nu are cont {1} sau deja potrivire
Journal Entries {0} are un-linked,Jurnalul Tichete {0} sunt ne-legate de
Keep a track of communication related to this enquiry which will help for future reference.,"Păstra o pistă de comunicare legate de această anchetă, care va ajuta de referință pentru viitor."
Keep it web friendly 900px (w) by 100px (h),Păstrați-l web 900px prietenos (w) de 100px (h)
Key Performance Area,Domeniul Major de performanță
@ -1576,7 +1576,7 @@ Maintenance start date can not be before delivery date for Serial No {0},Între
Major/Optional Subjects,Subiectele majore / opționale
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 Bank Entry,Banca face Voucher
Make Credit Note,Face Credit Nota
Make Debit Note,Face notă de debit
Make Delivery,Face de livrare
@ -3096,7 +3096,7 @@ Update Series,Actualizare Series
Update Series Number,Actualizare Serii Număr
Update Stock,Actualizați Stock
Update bank payment dates with journals.,Actualizați datele de plată bancar cu reviste.
Update clearance date of Journal Entries marked as 'Bank Vouchers',"Data de clearance-ul de actualizare de jurnal intrările marcate ca ""Tichete Bank"""
Update clearance date of Journal Entries marked as 'Bank Entry',"Data de clearance-ul de actualizare de jurnal intrările marcate ca ""Tichete Bank"""
Updated,Actualizat
Updated Birthday Reminders,Actualizat Data nasterii Memento
Upload Attendance,Încărcați Spectatori
@ -3234,7 +3234,7 @@ Write Off Amount <=,Scrie Off Suma <=
Write Off Based On,Scrie Off bazat pe
Write Off Cost Center,Scrie Off cost Center
Write Off Outstanding Amount,Scrie Off remarcabile Suma
Write Off Voucher,Scrie Off Voucher
Write Off Entry,Scrie Off Voucher
Wrong Template: Unable to find head row.,Format greșit: Imposibil de găsit rând cap.
Year,An
Year Closed,An Închis
@ -3252,7 +3252,7 @@ You can enter any date manually,Puteți introduce manual orice dată
You can enter the minimum quantity of this item to be ordered.,Puteți introduce cantitatea minimă de acest element pentru a fi comandat.
You can not change rate if BOM mentioned agianst any item,Nu puteți schimba rata dacă BOM menționat agianst orice element
You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,Nu puteți introduce atât de livrare Notă Nu și Factura Vanzare Nr Vă rugăm să introduceți nici una.
You can not enter current voucher in 'Against Journal Voucher' column,"Nu puteți introduce voucher curent în ""Împotriva Jurnalul Voucher"" coloana"
You can not enter current voucher in 'Against Journal Entry' column,"Nu puteți introduce voucher curent în ""Împotriva Jurnalul Voucher"" coloana"
You can set Default Bank Account in Company master,Puteți seta implicit cont bancar în maestru de companie
You can start by selecting backup frequency and granting access for sync,Puteți începe prin selectarea frecvenței de backup și acordarea de acces pentru sincronizare
You can submit this Stock Reconciliation.,Puteți trimite această Bursa de reconciliere.

1 (Half Day) (Half Day)
152 Against Document No Împotriva Documentul nr
153 Against Expense Account Împotriva cont de cheltuieli
154 Against Income Account Împotriva contul de venit
155 Against Journal Voucher Against Journal Entry Împotriva Jurnalul Voucher
156 Against Journal Voucher {0} does not have any unmatched {1} entry Against Journal Entry {0} does not have any unmatched {1} entry Împotriva Jurnalul Voucher {0} nu are nici neegalat {1} intrare
157 Against Purchase Invoice Împotriva cumparare factură
158 Against Sales Invoice Împotriva Factura Vanzare
159 Against Sales Order Împotriva comandă de vânzări
335 Bank Reconciliation Banca Reconciliere
336 Bank Reconciliation Detail Banca Reconcilierea Detaliu
337 Bank Reconciliation Statement Extras de cont de reconciliere
338 Bank Voucher Bank Entry Bancă Voucher
339 Bank/Cash Balance Bank / Cash Balance
340 Banking Bancar
341 Barcode Cod de bare
470 Case No. cannot be 0 Caz Nu, nu poate fi 0
471 Cash Numerar
472 Cash In Hand Bani în mână
473 Cash Voucher Cash Entry Cash Voucher Cash Entry
474 Cash or Bank Account is mandatory for making payment entry Numerar sau cont bancar este obligatorie pentru a face intrarea plată
475 Cash/Bank Account Contul Cash / Banca
476 Casual Leave Casual concediu
594 Contacts Contacte
595 Content Continut
596 Content Type Tip de conținut
597 Contra Voucher Contra Entry Contra Voucher Contra Entry
598 Contract Contractarea
599 Contract End Date Contract Data de încheiere
600 Contract End Date must be greater than Date of Joining Contract Data de sfârșit trebuie să fie mai mare decât Data aderării
625 Country Name Nume țară
626 Country wise default Address Templates Șabloanele țară înțelept adresa implicită
627 Country, Timezone and Currency Țară, Timezone și valutar
628 Create Bank Voucher for the total salary paid for the above selected criteria Create Bank Entry for the total salary paid for the above selected criteria Crea Bank Voucher pentru salariul totală plătită pentru criteriile selectate de mai sus Crea Bank Entry pentru salariul totală plătită pentru criteriile selectate de mai sus
629 Create Customer Creare client
630 Create Material Requests Cererile crea materiale
631 Create New Crearea de noi
647 Credit credit
648 Credit Amt Credit Amt
649 Credit Card Card de credit
650 Credit Card Voucher Credit Card Entry Card de credit Voucher
651 Credit Controller Controler de credit
652 Credit Days Zile de credit
653 Credit Limit Limita de credit
979 Excise Duty Edu Cess 2 Accizele Edu Cess 2
980 Excise Duty SHE Cess 1 Accizele SHE Cess 1
981 Excise Page Number Numărul de accize Page
982 Excise Voucher Excise Entry Accize Voucher
983 Execution Detalii de fabricaţie
984 Executive Search Executive Search
985 Exemption Limit Limita de scutire
1327 Invoice Period From and Invoice Period To dates mandatory for recurring invoice Perioada factura la și facturilor perioadă la date obligatorii pentru facturi recurente
1328 Invoice Period To Perioada de facturare a
1329 Invoice Type Factura Tip
1330 Invoice/Journal Voucher Details Invoice/Journal Entry Details Factura / Jurnalul Voucher Detalii
1331 Invoiced Amount (Exculsive Tax) Facturate Suma (Exculsive Tax)
1332 Is Active Este activ
1333 Is Advance Este Advance
1457 Jobs Email Settings Setări de locuri de muncă de e-mail
1458 Journal Entries Intrari in jurnal
1459 Journal Entry Jurnal de intrare
1460 Journal Voucher Journal Entry Jurnalul Voucher
1461 Journal Entry Account Jurnalul Voucher Detaliu
1462 Journal Entry Account No Jurnalul Voucher Detaliu Nu
1463 Journal Voucher {0} does not have account {1} or already matched Journal Entry {0} does not have account {1} or already matched Jurnalul Voucher {0} nu are cont {1} sau deja potrivire
1464 Journal Vouchers {0} are un-linked Journal Entries {0} are un-linked Jurnalul Tichete {0} sunt ne-legate de
1465 Keep a track of communication related to this enquiry which will help for future reference. Păstra o pistă de comunicare legate de această anchetă, care va ajuta de referință pentru viitor.
1466 Keep it web friendly 900px (w) by 100px (h) Păstrați-l web 900px prietenos (w) de 100px (h)
1467 Key Performance Area Domeniul Major de performanță
1576 Major/Optional Subjects Subiectele majore / opționale
1577 Make Make
1578 Make Accounting Entry For Every Stock Movement Asigurați-vă de contabilitate de intrare pentru fiecare Stock Mișcarea
1579 Make Bank Voucher Make Bank Entry Banca face Voucher
1580 Make Credit Note Face Credit Nota
1581 Make Debit Note Face notă de debit
1582 Make Delivery Face de livrare
3096 Update Series Number Actualizare Serii Număr
3097 Update Stock Actualizați Stock
3098 Update bank payment dates with journals. Actualizați datele de plată bancar cu reviste.
3099 Update clearance date of Journal Entries marked as 'Bank Vouchers' Update clearance date of Journal Entries marked as 'Bank Entry' Data de clearance-ul de actualizare de jurnal intrările marcate ca "Tichete Bank"
3100 Updated Actualizat
3101 Updated Birthday Reminders Actualizat Data nasterii Memento
3102 Upload Attendance Încărcați Spectatori
3234 Write Off Based On Scrie Off bazat pe
3235 Write Off Cost Center Scrie Off cost Center
3236 Write Off Outstanding Amount Scrie Off remarcabile Suma
3237 Write Off Voucher Write Off Entry Scrie Off Voucher
3238 Wrong Template: Unable to find head row. Format greșit: Imposibil de găsit rând cap.
3239 Year An
3240 Year Closed An Închis
3252 You can enter the minimum quantity of this item to be ordered. Puteți introduce cantitatea minimă de acest element pentru a fi comandat.
3253 You can not change rate if BOM mentioned agianst any item Nu puteți schimba rata dacă BOM menționat agianst orice element
3254 You can not enter both Delivery Note No and Sales Invoice No. Please enter any one. Nu puteți introduce atât de livrare Notă Nu și Factura Vanzare Nr Vă rugăm să introduceți nici una.
3255 You can not enter current voucher in 'Against Journal Voucher' column You can not enter current voucher in 'Against Journal Entry' column Nu puteți introduce voucher curent în "Împotriva Jurnalul Voucher" coloana
3256 You can set Default Bank Account in Company master Puteți seta implicit cont bancar în maestru de companie
3257 You can start by selecting backup frequency and granting access for sync Puteți începe prin selectarea frecvenței de backup și acordarea de acces pentru sincronizare
3258 You can submit this Stock Reconciliation. Puteți trimite această Bursa de reconciliere.

View File

@ -153,8 +153,8 @@ Against Document Detail No,Против деталях документа Нет
Against Document No,Против Документ №
Against Expense Account,Против Expense Счет
Against Income Account,Против ДОХОДОВ
Against Journal Voucher,Против Journal ваучером
Against Journal Voucher {0} does not have any unmatched {1} entry,Против Journal ваучером {0} не имеет непревзойденную {1} запись
Against Journal Entry,Против Journal ваучером
Against Journal Entry {0} does not have any unmatched {1} entry,Против Journal ваучером {0} не имеет непревзойденную {1} запись
Against Purchase Invoice,Против счете-фактуре
Against Sales Invoice,Против продаж счета-фактуры
Against Sales Order,Против заказ клиента
@ -336,7 +336,7 @@ Bank Overdraft Account,Банк Овердрафт счета
Bank Reconciliation,Банк примирения
Bank Reconciliation Detail,Банк примирения Подробно
Bank Reconciliation Statement,Заявление Банк примирения
Bank Voucher,Банк Ваучер
Bank Entry,Банк Ваучер
Bank/Cash Balance,Банк / Баланс счета
Banking,Банковское дело
Barcode,Штрихкод
@ -471,7 +471,7 @@ Case No(s) already in use. Try from Case No {0},Случай Нет (ы) уже
Case No. cannot be 0,Дело № не может быть 0
Cash,Наличные
Cash In Hand,Наличность кассы
Cash Voucher,Кассовый чек
Cash Entry,Кассовый чек
Cash or Bank Account is mandatory for making payment entry,Наличными или банковский счет является обязательным для внесения записи платежей
Cash/Bank Account, Наличные / Банковский счет
Casual Leave,Повседневная Оставить
@ -595,7 +595,7 @@ Contact master.,Связаться с мастером.
Contacts,Контакты
Content,Содержимое
Content Type,Тип контента
Contra Voucher,Contra Ваучер
Contra Entry,Contra Ваучер
Contract,Контракт
Contract End Date,Конец контракта Дата
Contract End Date must be greater than Date of Joining,"Конец контракта Дата должна быть больше, чем дата вступления"
@ -626,7 +626,7 @@ Country,Страна
Country Name,Название страны
Country wise default Address Templates,Шаблоны Страна мудрый адрес по умолчанию
"Country, Timezone and Currency","Страна, Временной пояс и валют"
Create Bank Voucher for the total salary paid for the above selected criteria,Создание банка Ваучер на общую зарплату заплатили за вышеуказанных выбранным критериям
Create Bank Entry for the total salary paid for the above selected criteria,Создание банка Ваучер на общую зарплату заплатили за вышеуказанных выбранным критериям
Create Customer,Создание клиентов
Create Material Requests,Создать запросы Материал
Create New,Создать новый
@ -648,7 +648,7 @@ Credentials,Сведения о профессиональной квалифи
Credit,Кредит
Credit Amt,Кредитная Amt
Credit Card,Кредитная карта
Credit Card Voucher,Ваучер Кредитная карта
Credit Card Entry,Ваучер Кредитная карта
Credit Controller,Кредитная контроллер
Credit Days,Кредитные дней
Credit Limit,{0}{/0} {1}Кредитный лимит {/1}
@ -980,7 +980,7 @@ Excise Duty @ 8,Акцизе @ 8
Excise Duty Edu Cess 2,Акцизе Эду Цесс 2
Excise Duty SHE Cess 1,Акцизе ОНА Цесс 1
Excise Page Number,Количество Акцизный Страница
Excise Voucher,Акцизный Ваучер
Excise Entry,Акцизный Ваучер
Execution,Реализация
Executive Search,Executive Search
Exemption Limit,Освобождение Предел
@ -1328,7 +1328,7 @@ Invoice Period From,Счет Период С
Invoice Period From and Invoice Period To dates mandatory for recurring invoice,Счет Период С и счет-фактура Период до даты обязательных для повторяющихся счет
Invoice Period To,Счет Период до
Invoice Type,Тип счета
Invoice/Journal Voucher Details,Счет / Журнал Подробности Ваучер
Invoice/Journal Entry Details,Счет / Журнал Подробности Ваучер
Invoiced Amount (Exculsive Tax),Сумма по счетам (Exculsive стоимость)
Is Active,Активен
Is Advance,Является Advance
@ -1458,11 +1458,11 @@ Job Title,Должность
Jobs Email Settings,Настройки Вакансии Email
Journal Entries,Записи в журнале
Journal Entry,Запись в дневнике
Journal Voucher,Журнал Ваучер
Journal Entry,Журнал Ваучер
Journal Entry Account,Журнал Ваучер Подробно
Journal Entry Account No,Журнал Ваучер Подробно Нет
Journal Voucher {0} does not have account {1} or already matched,Журнал Ваучер {0} не имеет учетной записи {1} или уже согласованы
Journal Vouchers {0} are un-linked,Журнал Ваучеры {0} являются не-связаны
Journal Entry {0} does not have account {1} or already matched,Журнал Ваучер {0} не имеет учетной записи {1} или уже согласованы
Journal Entries {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,Ключ Площадь Производительность
@ -1577,7 +1577,7 @@ Maintenance start date can not be before delivery date for Serial No {0},Тех
Major/Optional Subjects,Основные / факультативных предметов
Make ,Создать
Make Accounting Entry For Every Stock Movement,Сделать учета запись для каждого фондовой Движения
Make Bank Voucher,Сделать банк ваучер
Make Bank Entry,Сделать банк ваучер
Make Credit Note,Сделать кредит-нота
Make Debit Note,Сделать Debit Примечание
Make Delivery,Произвести поставку
@ -3098,7 +3098,7 @@ Update Series,Серия обновление
Update Series Number,Обновление Номер серии
Update Stock,Обновление стока
Update bank payment dates with journals.,Обновление банк платежные даты с журналов.
Update clearance date of Journal Entries marked as 'Bank Vouchers',"Дата обновления оформление Записей в журнале отмечается как «Банк Ваучеры"""
Update clearance date of Journal Entries marked as 'Bank Entry',"Дата обновления оформление Записей в журнале отмечается как «Банк Ваучеры"""
Updated,Обновлено
Updated Birthday Reminders,Обновлен День рождения Напоминания
Upload Attendance,Добавить посещаемости
@ -3237,7 +3237,7 @@ Write Off Amount <=,Списание Сумма <=
Write Off Based On,Списание на основе
Write Off Cost Center,Списание МВЗ
Write Off Outstanding Amount,Списание суммы задолженности
Write Off Voucher,Списание ваучер
Write Off Entry,Списание ваучер
Wrong Template: Unable to find head row.,Неправильный Шаблон: Не удается найти голову строку.
Year,Года
Year Closed,Год закрыт
@ -3255,7 +3255,7 @@ You can enter any date manually,Вы можете ввести любую дат
You can enter the minimum quantity of this item to be ordered.,Вы можете ввести минимальное количество этого пункта заказывается.
You can not change rate if BOM mentioned agianst any item,"Вы не можете изменить скорость, если спецификации упоминается agianst любого элемента"
You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,"не Вы не можете войти как Delivery Note Нет и Расходная накладная номер Пожалуйста, введите любой."
You can not enter current voucher in 'Against Journal Voucher' column,"Вы не можете ввести текущий ваучер в ""Против Journal ваучер 'колонке"
You can not enter current voucher in 'Against Journal Entry' column,"Вы не можете ввести текущий ваучер в ""Против Journal ваучер 'колонке"
You can set Default Bank Account in Company master,Вы можете установить по умолчанию банковский счет в мастер компании
You can start by selecting backup frequency and granting access for sync,Вы можете начать с выбора частоты резервного копирования и предоставления доступа для синхронизации
You can submit this Stock Reconciliation.,Вы можете представить эту Stock примирения.

1 (Half Day) (Half Day)
153 Against Expense Account Против Expense Счет
154 Against Income Account Против ДОХОДОВ
155 Against Journal Voucher Against Journal Entry Против Journal ваучером
156 Against Journal Voucher {0} does not have any unmatched {1} entry Against Journal Entry {0} does not have any unmatched {1} entry Против Journal ваучером {0} не имеет непревзойденную {1} запись
157 Against Purchase Invoice Против счете-фактуре
158 Against Sales Invoice Против продаж счета-фактуры
159 Against Sales Order Против заказ клиента
160 Against Voucher Против ваучером
336 Bank Reconciliation Detail Банк примирения Подробно
337 Bank Reconciliation Statement Заявление Банк примирения
338 Bank Voucher Bank Entry Банк Ваучер
339 Bank/Cash Balance Банк / Баланс счета
340 Banking Банковское дело
341 Barcode Штрихкод
342 Barcode {0} already used in Item {1} Штрихкод {0} уже используется в позиции {1}
471 Cash Наличные
472 Cash In Hand Наличность кассы
473 Cash Voucher Cash Entry Кассовый чек
474 Cash or Bank Account is mandatory for making payment entry Наличными или банковский счет является обязательным для внесения записи платежей
475 Cash/Bank Account Наличные / Банковский счет
476 Casual Leave Повседневная Оставить
477 Cell Number Количество звонков
595 Content Содержимое
596 Content Type Тип контента
597 Contra Voucher Contra Entry Contra Ваучер
598 Contract Контракт
599 Contract End Date Конец контракта Дата
600 Contract End Date must be greater than Date of Joining Конец контракта Дата должна быть больше, чем дата вступления
601 Contribution (%) Вклад (%)
626 Country wise default Address Templates Шаблоны Страна мудрый адрес по умолчанию
627 Country, Timezone and Currency Страна, Временной пояс и валют
628 Create Bank Voucher for the total salary paid for the above selected criteria Create Bank Entry for the total salary paid for the above selected criteria Создание банка Ваучер на общую зарплату заплатили за вышеуказанных выбранным критериям
629 Create Customer Создание клиентов
630 Create Material Requests Создать запросы Материал
631 Create New Создать новый
632 Create Opportunity Создание Возможность
648 Credit Amt Кредитная Amt
649 Credit Card Кредитная карта
650 Credit Card Voucher Credit Card Entry Ваучер Кредитная карта
651 Credit Controller Кредитная контроллер
652 Credit Days Кредитные дней
653 Credit Limit {0}{/0} {1}Кредитный лимит {/1}
654 Credit Note Кредит-нота
980 Excise Duty SHE Cess 1 Акцизе ОНА Цесс 1
981 Excise Page Number Количество Акцизный Страница
982 Excise Voucher Excise Entry Акцизный Ваучер
983 Execution Реализация
984 Executive Search Executive Search
985 Exemption Limit Освобождение Предел
986 Exhibition Показательный
1328 Invoice Period To Счет Период до
1329 Invoice Type Тип счета
1330 Invoice/Journal Voucher Details Invoice/Journal Entry Details Счет / Журнал Подробности Ваучер
1331 Invoiced Amount (Exculsive Tax) Сумма по счетам (Exculsive стоимость)
1332 Is Active Активен
1333 Is Advance Является Advance
1334 Is Cancelled Является Отмененные
1458 Journal Entries Записи в журнале
1459 Journal Entry Запись в дневнике
1460 Journal Voucher Journal Entry Журнал Ваучер
1461 Journal Entry Account Журнал Ваучер Подробно
1462 Journal Entry Account No Журнал Ваучер Подробно Нет
1463 Journal Voucher {0} does not have account {1} or already matched Journal Entry {0} does not have account {1} or already matched Журнал Ваучер {0} не имеет учетной записи {1} или уже согласованы
1464 Journal Vouchers {0} are un-linked Journal Entries {0} are un-linked Журнал Ваучеры {0} являются не-связаны
1465 Keep a track of communication related to this enquiry which will help for future reference. Постоянно отслеживать коммуникации, связанные на этот запрос, который поможет в будущем.
1466 Keep it web friendly 900px (w) by 100px (h) Держите его веб дружелюбны 900px (ш) на 100px (ч)
1467 Key Performance Area Ключ Площадь Производительность
1468 Key Responsibility Area Ключ Ответственность Площадь
1577 Make Создать
1578 Make Accounting Entry For Every Stock Movement Сделать учета запись для каждого фондовой Движения
1579 Make Bank Voucher Make Bank Entry Сделать банк ваучер
1580 Make Credit Note Сделать кредит-нота
1581 Make Debit Note Сделать Debit Примечание
1582 Make Delivery Произвести поставку
1583 Make Difference Entry Сделать Разница запись
3098 Update bank payment dates with journals. Обновление банк платежные даты с журналов.
3099 Update clearance date of Journal Entries marked as 'Bank Vouchers' Update clearance date of Journal Entries marked as 'Bank Entry' Дата обновления оформление Записей в журнале отмечается как «Банк Ваучеры"
3100 Updated Обновлено
3101 Updated Birthday Reminders Обновлен День рождения Напоминания
3102 Upload Attendance Добавить посещаемости
3103 Upload Backups to Dropbox Добавить резервных копий на Dropbox
3104 Upload Backups to Google Drive Добавить резервных копий в Google Drive
3237 Write Off Voucher Write Off Entry Списание ваучер
3238 Wrong Template: Unable to find head row. Неправильный Шаблон: Не удается найти голову строку.
3239 Year Года
3240 Year Closed Год закрыт
3241 Year End Date Год Дата окончания
3242 Year Name Год Имя
3243 Year Start Date Год Дата начала
3255 You can not enter current voucher in 'Against Journal Voucher' column You can not enter current voucher in 'Against Journal Entry' column Вы не можете ввести текущий ваучер в "Против Journal ваучер 'колонке
3256 You can set Default Bank Account in Company master Вы можете установить по умолчанию банковский счет в мастер компании
3257 You can start by selecting backup frequency and granting access for sync Вы можете начать с выбора частоты резервного копирования и предоставления доступа для синхронизации
3258 You can submit this Stock Reconciliation. Вы можете представить эту Stock примирения.
3259 You can update either Quantity or Valuation Rate or both. Вы можете обновить либо Количество или оценка Оценить или обоих.
3260 You cannot credit and debit same account at the same time Вы не можете кредитные и дебетовые же учетную запись в то же время
3261 You have entered duplicate items. Please rectify and try again. Вы ввели повторяющихся элементов. Пожалуйста, исправить и попробовать еще раз.

View File

@ -152,8 +152,8 @@ Against Document Detail No,Против докумената детаља Нем
Against Document No,Против документу Нема
Against Expense Account,Против трошковником налог
Against Income Account,Против приход
Against Journal Voucher,Против Јоурнал ваучер
Against Journal Voucher {0} does not have any unmatched {1} entry,Против Јоурнал ваучер {0} нема премца {1} унос
Against Journal Entry,Против Јоурнал ваучер
Against Journal Entry {0} does not have any unmatched {1} entry,Против Јоурнал ваучер {0} нема премца {1} унос
Against Purchase Invoice,Против фактури
Against Sales Invoice,Против продаје фактура
Against Sales Order,Против продаје налога
@ -335,7 +335,7 @@ Bank Overdraft Account,Банк Овердрафт счета
Bank Reconciliation,Банка помирење
Bank Reconciliation Detail,Банка помирење Детаљ
Bank Reconciliation Statement,Банка помирење Изјава
Bank Voucher,Банка ваучера
Bank Entry,Банка ваучера
Bank/Cash Balance,Банка / стање готовине
Banking,банкарство
Barcode,Баркод
@ -470,7 +470,7 @@ Case No(s) already in use. Try from Case No {0},Случай Нет (ы) уже
Case No. cannot be 0,Предмет бр не може бити 0
Cash,Готовина
Cash In Hand,Наличность кассовая
Cash Voucher,Готовина ваучера
Cash Entry,Готовина ваучера
Cash or Bank Account is mandatory for making payment entry,Наличными или банковский счет является обязательным для внесения записи платежей
Cash/Bank Account,Готовина / банковног рачуна
Casual Leave,Повседневная Оставить
@ -594,7 +594,7 @@ Contact master.,Связаться с мастером.
Contacts,связи
Content,Садржина
Content Type,Тип садржаја
Contra Voucher,Цонтра ваучера
Contra Entry,Цонтра ваучера
Contract,уговор
Contract End Date,Уговор Датум завршетка
Contract End Date must be greater than Date of Joining,"Конец контракта Дата должна быть больше, чем дата вступления"
@ -625,7 +625,7 @@ Country,Земља
Country Name,Земља Име
Country wise default Address Templates,Земља мудар подразумевана адреса шаблон
"Country, Timezone and Currency","Земља , временску зону и валута"
Create Bank Voucher for the total salary paid for the above selected criteria,Креирање ваучера банка за укупне плате исплаћене за горе изабраним критеријумима
Create Bank Entry for the total salary paid for the above selected criteria,Креирање ваучера банка за укупне плате исплаћене за горе изабраним критеријумима
Create Customer,Креирање корисника
Create Material Requests,Креирате захтеве Материјал
Create New,Цреате Нев
@ -647,7 +647,7 @@ Credentials,Акредитив
Credit,Кредит
Credit Amt,Кредитни Амт
Credit Card,кредитна картица
Credit Card Voucher,Кредитна картица ваучера
Credit Card Entry,Кредитна картица ваучера
Credit Controller,Кредитни контролер
Credit Days,Кредитни Дана
Credit Limit,Кредитни лимит
@ -979,7 +979,7 @@ Excise Duty @ 8,Акцизе @ 8
Excise Duty Edu Cess 2,Акцизе Еду Цесс 2
Excise Duty SHE Cess 1,Акцизе ОНА Цесс 1
Excise Page Number,Акцизе Број странице
Excise Voucher,Акцизе ваучера
Excise Entry,Акцизе ваучера
Execution,извршење
Executive Search,Екецутиве Сеарцх
Exemption Limit,Изузеће Лимит
@ -1327,7 +1327,7 @@ Invoice Period From,Фактура периоду од
Invoice Period From and Invoice Period To dates mandatory for recurring invoice,Счет Период С и счет-фактура Период до даты обязательных для повторяющихся счет
Invoice Period To,Фактура период до
Invoice Type,Фактура Тип
Invoice/Journal Voucher Details,Рачун / Часопис ваучера Детаљи
Invoice/Journal Entry Details,Рачун / Часопис ваучера Детаљи
Invoiced Amount (Exculsive Tax),Износ фактуре ( Екцулсиве Пореска )
Is Active,Је активан
Is Advance,Да ли Адванце
@ -1457,11 +1457,11 @@ Job Title,Звање
Jobs Email Settings,Послови Емаил подешавања
Journal Entries,Часопис Ентриес
Journal Entry,Јоурнал Ентри
Journal Voucher,Часопис ваучера
Journal Entry,Часопис ваучера
Journal Entry Account,Часопис Ваучер Детаљ
Journal Entry Account No,Часопис Ваучер Детаљ Нема
Journal Voucher {0} does not have account {1} or already matched,Часопис Ваучер {0} нема рачун {1} или већ упарен
Journal Vouchers {0} are un-linked,Журнал Ваучеры {0} являются не- связаны
Journal Entry {0} does not have account {1} or already matched,Часопис Ваучер {0} нема рачун {1} или већ упарен
Journal Entries {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),Држите га веб пријатељски 900пк ( В ) од 100пк ( х )
Key Performance Area,Кључна Перформансе Област
@ -1576,7 +1576,7 @@ Maintenance start date can not be before delivery date for Serial No {0},Тех
Major/Optional Subjects,Мајор / Опциони предмети
Make ,Make
Make Accounting Entry For Every Stock Movement,Направите Рачуноводство унос за сваки Стоцк Покрета
Make Bank Voucher,Направите ваучер Банк
Make Bank Entry,Направите ваучер Банк
Make Credit Note,Маке Цредит Ноте
Make Debit Note,Маке задужењу
Make Delivery,Маке Деливери
@ -3096,7 +3096,7 @@ Update Series,Упдате
Update Series Number,Упдате Број
Update Stock,Упдате Стоцк
Update bank payment dates with journals.,Ажурирање банка плаћање датира са часописима.
Update clearance date of Journal Entries marked as 'Bank Vouchers',"Клиренс Ажурирање датум уноса у дневник означена као "" банка "" Ваучери"
Update clearance date of Journal Entries marked as 'Bank Entry',"Клиренс Ажурирање датум уноса у дневник означена као "" банка "" Ваучери"
Updated,Ажурирано
Updated Birthday Reminders,Ажурирано Рођендан Подсетници
Upload Attendance,Уплоад присуствовање
@ -3234,7 +3234,7 @@ Write Off Amount <=,Отпис Износ &lt;=
Write Off Based On,Отпис Басед Он
Write Off Cost Center,Отпис Центар трошкова
Write Off Outstanding Amount,Отпис неизмирени износ
Write Off Voucher,Отпис ваучер
Write Off Entry,Отпис ваучер
Wrong Template: Unable to find head row.,Погрешно Шаблон: Није могуће пронаћи ред главу.
Year,Година
Year Closed,Година Цлосед
@ -3252,7 +3252,7 @@ You can enter any date manually,Можете да ручно унесете би
You can enter the minimum quantity of this item to be ordered.,Можете да унесете минималну количину ове ставке се могу наручити.
You can not change rate if BOM mentioned agianst any item,Не можете променити стопу ако бом помиње агианст било које ставке
You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,Не можете да унесете како доставници Не и продаје Фактура бр Унесите било коју .
You can not enter current voucher in 'Against Journal Voucher' column,"Вы не можете ввести текущий ваучер в ""Против Journal ваучер ' колонке"
You can not enter current voucher in 'Against Journal Entry' column,"Вы не можете ввести текущий ваучер в ""Против Journal ваучер ' колонке"
You can set Default Bank Account in Company master,Вы можете установить по умолчанию банковский счет в мастер компании
You can start by selecting backup frequency and granting access for sync,Вы можете начать с выбора частоты резервного копирования и предоставления доступа для синхронизации
You can submit this Stock Reconciliation.,Можете да пошаљете ову Стоцк помирење .

1 (Half Day) (Полудневни)
152 Against Document No Против документу Нема
153 Against Expense Account Против трошковником налог
154 Against Income Account Против приход
155 Against Journal Voucher Against Journal Entry Против Јоурнал ваучер
156 Against Journal Voucher {0} does not have any unmatched {1} entry Against Journal Entry {0} does not have any unmatched {1} entry Против Јоурнал ваучер {0} нема премца {1} унос
157 Against Purchase Invoice Против фактури
158 Against Sales Invoice Против продаје фактура
159 Against Sales Order Против продаје налога
335 Bank Reconciliation Банка помирење
336 Bank Reconciliation Detail Банка помирење Детаљ
337 Bank Reconciliation Statement Банка помирење Изјава
338 Bank Voucher Bank Entry Банка ваучера
339 Bank/Cash Balance Банка / стање готовине
340 Banking банкарство
341 Barcode Баркод
470 Case No. cannot be 0 Предмет бр не може бити 0
471 Cash Готовина
472 Cash In Hand Наличность кассовая
473 Cash Voucher Cash Entry Готовина ваучера
474 Cash or Bank Account is mandatory for making payment entry Наличными или банковский счет является обязательным для внесения записи платежей
475 Cash/Bank Account Готовина / банковног рачуна
476 Casual Leave Повседневная Оставить
594 Contacts связи
595 Content Садржина
596 Content Type Тип садржаја
597 Contra Voucher Contra Entry Цонтра ваучера
598 Contract уговор
599 Contract End Date Уговор Датум завршетка
600 Contract End Date must be greater than Date of Joining Конец контракта Дата должна быть больше, чем дата вступления
625 Country Name Земља Име
626 Country wise default Address Templates Земља мудар подразумевана адреса шаблон
627 Country, Timezone and Currency Земља , временску зону и валута
628 Create Bank Voucher for the total salary paid for the above selected criteria Create Bank Entry for the total salary paid for the above selected criteria Креирање ваучера банка за укупне плате исплаћене за горе изабраним критеријумима
629 Create Customer Креирање корисника
630 Create Material Requests Креирате захтеве Материјал
631 Create New Цреате Нев
647 Credit Кредит
648 Credit Amt Кредитни Амт
649 Credit Card кредитна картица
650 Credit Card Voucher Credit Card Entry Кредитна картица ваучера
651 Credit Controller Кредитни контролер
652 Credit Days Кредитни Дана
653 Credit Limit Кредитни лимит
979 Excise Duty Edu Cess 2 Акцизе Еду Цесс 2
980 Excise Duty SHE Cess 1 Акцизе ОНА Цесс 1
981 Excise Page Number Акцизе Број странице
982 Excise Voucher Excise Entry Акцизе ваучера
983 Execution извршење
984 Executive Search Екецутиве Сеарцх
985 Exemption Limit Изузеће Лимит
1327 Invoice Period From and Invoice Period To dates mandatory for recurring invoice Счет Период С и счет-фактура Период до даты обязательных для повторяющихся счет
1328 Invoice Period To Фактура период до
1329 Invoice Type Фактура Тип
1330 Invoice/Journal Voucher Details Invoice/Journal Entry Details Рачун / Часопис ваучера Детаљи
1331 Invoiced Amount (Exculsive Tax) Износ фактуре ( Екцулсиве Пореска )
1332 Is Active Је активан
1333 Is Advance Да ли Адванце
1457 Jobs Email Settings Послови Емаил подешавања
1458 Journal Entries Часопис Ентриес
1459 Journal Entry Јоурнал Ентри
1460 Journal Voucher Journal Entry Часопис ваучера
1461 Journal Entry Account Часопис Ваучер Детаљ
1462 Journal Entry Account No Часопис Ваучер Детаљ Нема
1463 Journal Voucher {0} does not have account {1} or already matched Journal Entry {0} does not have account {1} or already matched Часопис Ваучер {0} нема рачун {1} или већ упарен
1464 Journal Vouchers {0} are un-linked Journal Entries {0} are un-linked Журнал Ваучеры {0} являются не- связаны
1465 Keep a track of communication related to this enquiry which will help for future reference. Водите евиденцију о комуникацији у вези са овом истрагу која ће помоћи за будућу референцу.
1466 Keep it web friendly 900px (w) by 100px (h) Држите га веб пријатељски 900пк ( В ) од 100пк ( х )
1467 Key Performance Area Кључна Перформансе Област
1576 Major/Optional Subjects Мајор / Опциони предмети
1577 Make Make
1578 Make Accounting Entry For Every Stock Movement Направите Рачуноводство унос за сваки Стоцк Покрета
1579 Make Bank Voucher Make Bank Entry Направите ваучер Банк
1580 Make Credit Note Маке Цредит Ноте
1581 Make Debit Note Маке задужењу
1582 Make Delivery Маке Деливери
3096 Update Series Number Упдате Број
3097 Update Stock Упдате Стоцк
3098 Update bank payment dates with journals. Ажурирање банка плаћање датира са часописима.
3099 Update clearance date of Journal Entries marked as 'Bank Vouchers' Update clearance date of Journal Entries marked as 'Bank Entry' Клиренс Ажурирање датум уноса у дневник означена као " банка " Ваучери
3100 Updated Ажурирано
3101 Updated Birthday Reminders Ажурирано Рођендан Подсетници
3102 Upload Attendance Уплоад присуствовање
3234 Write Off Based On Отпис Басед Он
3235 Write Off Cost Center Отпис Центар трошкова
3236 Write Off Outstanding Amount Отпис неизмирени износ
3237 Write Off Voucher Write Off Entry Отпис ваучер
3238 Wrong Template: Unable to find head row. Погрешно Шаблон: Није могуће пронаћи ред главу.
3239 Year Година
3240 Year Closed Година Цлосед
3252 You can enter the minimum quantity of this item to be ordered. Можете да унесете минималну количину ове ставке се могу наручити.
3253 You can not change rate if BOM mentioned agianst any item Не можете променити стопу ако бом помиње агианст било које ставке
3254 You can not enter both Delivery Note No and Sales Invoice No. Please enter any one. Не можете да унесете како доставници Не и продаје Фактура бр Унесите било коју .
3255 You can not enter current voucher in 'Against Journal Voucher' column You can not enter current voucher in 'Against Journal Entry' column Вы не можете ввести текущий ваучер в "Против Journal ваучер ' колонке
3256 You can set Default Bank Account in Company master Вы можете установить по умолчанию банковский счет в мастер компании
3257 You can start by selecting backup frequency and granting access for sync Вы можете начать с выбора частоты резервного копирования и предоставления доступа для синхронизации
3258 You can submit this Stock Reconciliation. Можете да пошаљете ову Стоцк помирење .

View File

@ -152,8 +152,8 @@ Against Document Detail No,ஆவண விரிவாக இல்லை எ
Against Document No,ஆவண எதிராக இல்லை
Against Expense Account,செலவு கணக்கு எதிராக
Against Income Account,வருமான கணக்கு எதிராக
Against Journal Voucher,ஜர்னல் வவுச்சர் எதிராக
Against Journal Voucher {0} does not have any unmatched {1} entry,ஜர்னல் வவுச்சர் எதிரான {0} எந்த வேறொன்றும் {1} நுழைவு இல்லை
Against Journal Entry,ஜர்னல் வவுச்சர் எதிராக
Against Journal Entry {0} does not have any unmatched {1} entry,ஜர்னல் வவுச்சர் எதிரான {0} எந்த வேறொன்றும் {1} நுழைவு இல்லை
Against Purchase Invoice,கொள்முதல் விலை விவரம் எதிராக
Against Sales Invoice,விற்பனை விலைப்பட்டியல் எதிராக
Against Sales Order,விற்னையாளர் எதிராக
@ -335,7 +335,7 @@ Bank Overdraft Account,வங்கி மிகைஎடுப்பு கண
Bank Reconciliation,வங்கி நல்லிணக்க
Bank Reconciliation Detail,வங்கி நல்லிணக்க விரிவாக
Bank Reconciliation Statement,வங்கி நல்லிணக்க அறிக்கை
Bank Voucher,வங்கி வவுச்சர்
Bank Entry,வங்கி வவுச்சர்
Bank/Cash Balance,வங்கி / ரொக்க இருப்பு
Banking,வங்கி
Barcode,பார்கோடு
@ -470,7 +470,7 @@ Case No(s) already in use. Try from Case No {0},வழக்கு எண் (
Case No. cannot be 0,வழக்கு எண் 0 இருக்க முடியாது
Cash,பணம்
Cash In Hand,கைப்பணம்
Cash Voucher,பண வவுச்சர்
Cash Entry,பண வவுச்சர்
Cash or Bank Account is mandatory for making payment entry,பண அல்லது வங்கி கணக்கு கொடுப்பனவு நுழைவு செய்யும் கட்டாய
Cash/Bank Account,பண / வங்கி கணக்கு
Casual Leave,தற்செயல் விடுப்பு
@ -594,7 +594,7 @@ Contact master.,தொடர்பு மாஸ்டர் .
Contacts,தொடர்புகள்
Content,உள்ளடக்கம்
Content Type,உள்ளடக்க வகை
Contra Voucher,எதிர் வவுச்சர்
Contra Entry,எதிர் வவுச்சர்
Contract,ஒப்பந்த
Contract End Date,ஒப்பந்தம் முடிவு தேதி
Contract End Date must be greater than Date of Joining,இந்த ஒப்பந்தம் முடிவுக்கு தேதி சேர தேதி விட அதிகமாக இருக்க வேண்டும்
@ -625,7 +625,7 @@ Country,நாடு
Country Name,நாட்டின் பெயர்
Country wise default Address Templates,நாடு வாரியாக இயல்புநிலை முகவரி டெம்ப்ளேட்கள்
"Country, Timezone and Currency","நாடு , நேர மண்டலம் மற்றும் நாணய"
Create Bank Voucher for the total salary paid for the above selected criteria,மேலே தேர்ந்தெடுக்கப்பட்ட அடிப்படை ஊதியம் மொத்த சம்பளம் வங்கி வவுச்சர் உருவாக்க
Create Bank Entry for the total salary paid for the above selected criteria,மேலே தேர்ந்தெடுக்கப்பட்ட அடிப்படை ஊதியம் மொத்த சம்பளம் வங்கி வவுச்சர் உருவாக்க
Create Customer,உருவாக்கு
Create Material Requests,பொருள் கோரிக்கைகள் உருவாக்க
Create New,புதிய உருவாக்கவும்
@ -647,7 +647,7 @@ Credentials,அறிமுக ஆவணம்
Credit,கடன்
Credit Amt,கடன் AMT
Credit Card,கடன் அட்டை
Credit Card Voucher,கடன் அட்டை வவுச்சர்
Credit Card Entry,கடன் அட்டை வவுச்சர்
Credit Controller,கடன் கட்டுப்பாட்டாளர்
Credit Days,கடன் நாட்கள்
Credit Limit,கடன் எல்லை
@ -979,7 +979,7 @@ Excise Duty @ 8,8 @ உற்பத்தி வரி
Excise Duty Edu Cess 2,உற்பத்தி வரி குன்றம் செஸ் 2
Excise Duty SHE Cess 1,உற்பத்தி வரி அவள் செஸ் 1
Excise Page Number,கலால் பக்கம் எண்
Excise Voucher,கலால் வவுச்சர்
Excise Entry,கலால் வவுச்சர்
Execution,நிர்வாகத்தினருக்கு
Executive Search,நிறைவேற்று தேடல்
Exemption Limit,விலக்கு வரம்பு
@ -1327,7 +1327,7 @@ Invoice Period From,முதல் விலைப்பட்டியல்
Invoice Period From and Invoice Period To dates mandatory for recurring invoice,விலைப்பட்டியல் மீண்டும் கட்டாயமாக தேதிகள் மற்றும் விலைப்பட்டியல் காலம் விலைப்பட்டியல் காலம்
Invoice Period To,செய்ய விலைப்பட்டியல் காலம்
Invoice Type,விலைப்பட்டியல் வகை
Invoice/Journal Voucher Details,விலைப்பட்டியல் / ஜர்னல் ரசீது விவரங்கள்
Invoice/Journal Entry Details,விலைப்பட்டியல் / ஜர்னல் ரசீது விவரங்கள்
Invoiced Amount (Exculsive Tax),விலை விவரம் தொகை ( ஒதுக்கி தள்ளும் பண்புடைய வரி )
Is Active,செயலில் உள்ளது
Is Advance,முன்பணம்
@ -1457,11 +1457,11 @@ Job Title,வேலை தலைப்பு
Jobs Email Settings,வேலைகள் மின்னஞ்சல் அமைப்புகள்
Journal Entries,ஜர்னல் பதிவுகள்
Journal Entry,பத்திரிகை நுழைவு
Journal Voucher,பத்திரிகை வவுச்சர்
Journal Entry,பத்திரிகை வவுச்சர்
Journal Entry Account,பத்திரிகை வவுச்சர் விரிவாக
Journal Entry Account No,பத்திரிகை வவுச்சர் விரிவாக இல்லை
Journal Voucher {0} does not have account {1} or already matched,ஜர்னல் வவுச்சர் {0} கணக்கு இல்லை {1} அல்லது ஏற்கனவே பொருந்தியது
Journal Vouchers {0} are un-linked,ஜர்னல் கே {0} ஐ.நா. இணைக்கப்பட்ட
Journal Entry {0} does not have account {1} or already matched,ஜர்னல் வவுச்சர் {0} கணக்கு இல்லை {1} அல்லது ஏற்கனவே பொருந்தியது
Journal Entries {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),100px வலை நட்பு 900px ( W ) வைத்து ( H )
Key Performance Area,முக்கிய செயல்திறன் பகுதி
@ -1576,7 +1576,7 @@ Maintenance start date can not be before delivery date for Serial No {0},"பர
Major/Optional Subjects,முக்கிய / விருப்ப பாடங்கள்
Make ,Make
Make Accounting Entry For Every Stock Movement,"ஒவ்வொரு பங்கு இயக்கம் , பைனான்ஸ் உள்ளீடு செய்ய"
Make Bank Voucher,வங்கி வவுச்சர் செய்ய
Make Bank Entry,வங்கி வவுச்சர் செய்ய
Make Credit Note,கடன் நினைவில் கொள்ளுங்கள்
Make Debit Note,பற்று நினைவில் கொள்ளுங்கள்
Make Delivery,விநியோகம் செய்ய
@ -3096,7 +3096,7 @@ Update Series,மேம்படுத்தல் தொடர்
Update Series Number,மேம்படுத்தல் தொடர் எண்
Update Stock,பங்கு புதுப்பிக்க
Update bank payment dates with journals.,மேம்படுத்தல் வங்கி பணம் பத்திரிகைகள் மூலம் செல்கிறது.
Update clearance date of Journal Entries marked as 'Bank Vouchers',ஜர்னல் பதிவுகள் புதுப்பிக்கவும் அனுமதி தேதி ' வங்கி உறுதி சீட்டு ' என குறிக்கப்பட்ட
Update clearance date of Journal Entries marked as 'Bank Entry',ஜர்னல் பதிவுகள் புதுப்பிக்கவும் அனுமதி தேதி ' வங்கி உறுதி சீட்டு ' என குறிக்கப்பட்ட
Updated,புதுப்பிக்கப்பட்ட
Updated Birthday Reminders,இற்றை நினைவூட்டல்கள்
Upload Attendance,பங்கேற்கும் பதிவேற்ற
@ -3234,7 +3234,7 @@ Write Off Amount <=,மொத்த தொகை இனிய எழுத
Write Off Based On,ஆனால் அடிப்படையில் இனிய எழுத
Write Off Cost Center,செலவு மையம் இனிய எழுத
Write Off Outstanding Amount,சிறந்த தொகை இனிய எழுத
Write Off Voucher,வவுச்சர் இனிய எழுத
Write Off Entry,வவுச்சர் இனிய எழுத
Wrong Template: Unable to find head row.,தவறான வார்ப்புரு: தலை வரிசையில் கண்டுபிடிக்க முடியவில்லை.
Year,ஆண்டு
Year Closed,ஆண்டு மூடப்பட்ட
@ -3252,7 +3252,7 @@ You can enter any date manually,நீங்கள் கைமுறையா
You can enter the minimum quantity of this item to be ordered.,நீங்கள் கட்டளையிட்ட வேண்டும் இந்த உருப்படியை குறைந்தபட்ச அளவு நுழைய முடியாது.
You can not change rate if BOM mentioned agianst any item,BOM எந்த பொருளை agianst குறிப்பிட்டுள்ள நீங்கள் வீதம் மாற்ற முடியாது
You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,நீங்கள் எந்த இரு விநியோக குறிப்பு நுழைய முடியாது மற்றும் விற்பனை விலைப்பட்டியல் இல்லை எந்த ஒரு உள்ளிடவும்.
You can not enter current voucher in 'Against Journal Voucher' column,நீங்கள் பத்தியில் ' ஜர்னல் வவுச்சர் எதிரான' தற்போதைய ரசீது நுழைய முடியாது
You can not enter current voucher in 'Against Journal Entry' column,நீங்கள் பத்தியில் ' ஜர்னல் வவுச்சர் எதிரான' தற்போதைய ரசீது நுழைய முடியாது
You can set Default Bank Account in Company master,நீங்கள் நிறுவனத்தின் மாஸ்டர் இயல்புநிலை வங்கி கணக்கு அமைக்க முடியும்
You can start by selecting backup frequency and granting access for sync,நீங்கள் காப்பு அதிர்வெண் தேர்வு மற்றும் ஒருங்கிணைப்பு அணுகல் வழங்குவதன் மூலம் தொடங்க முடியும்
You can submit this Stock Reconciliation.,இந்த பங்கு நல்லிணக்க சமர்ப்பிக்க முடியும் .

1 (Half Day) (அரை நாள்)
152 Against Document No ஆவண எதிராக இல்லை
153 Against Expense Account செலவு கணக்கு எதிராக
154 Against Income Account வருமான கணக்கு எதிராக
155 Against Journal Voucher Against Journal Entry ஜர்னல் வவுச்சர் எதிராக
156 Against Journal Voucher {0} does not have any unmatched {1} entry Against Journal Entry {0} does not have any unmatched {1} entry ஜர்னல் வவுச்சர் எதிரான {0} எந்த வேறொன்றும் {1} நுழைவு இல்லை
157 Against Purchase Invoice கொள்முதல் விலை விவரம் எதிராக
158 Against Sales Invoice விற்பனை விலைப்பட்டியல் எதிராக
159 Against Sales Order விற்னையாளர் எதிராக
335 Bank Reconciliation வங்கி நல்லிணக்க
336 Bank Reconciliation Detail வங்கி நல்லிணக்க விரிவாக
337 Bank Reconciliation Statement வங்கி நல்லிணக்க அறிக்கை
338 Bank Voucher Bank Entry வங்கி வவுச்சர்
339 Bank/Cash Balance வங்கி / ரொக்க இருப்பு
340 Banking வங்கி
341 Barcode பார்கோடு
470 Case No. cannot be 0 வழக்கு எண் 0 இருக்க முடியாது
471 Cash பணம்
472 Cash In Hand கைப்பணம்
473 Cash Voucher Cash Entry பண வவுச்சர்
474 Cash or Bank Account is mandatory for making payment entry பண அல்லது வங்கி கணக்கு கொடுப்பனவு நுழைவு செய்யும் கட்டாய
475 Cash/Bank Account பண / வங்கி கணக்கு
476 Casual Leave தற்செயல் விடுப்பு
594 Contacts தொடர்புகள்
595 Content உள்ளடக்கம்
596 Content Type உள்ளடக்க வகை
597 Contra Voucher Contra Entry எதிர் வவுச்சர்
598 Contract ஒப்பந்த
599 Contract End Date ஒப்பந்தம் முடிவு தேதி
600 Contract End Date must be greater than Date of Joining இந்த ஒப்பந்தம் முடிவுக்கு தேதி சேர தேதி விட அதிகமாக இருக்க வேண்டும்
625 Country Name நாட்டின் பெயர்
626 Country wise default Address Templates நாடு வாரியாக இயல்புநிலை முகவரி டெம்ப்ளேட்கள்
627 Country, Timezone and Currency நாடு , நேர மண்டலம் மற்றும் நாணய
628 Create Bank Voucher for the total salary paid for the above selected criteria Create Bank Entry for the total salary paid for the above selected criteria மேலே தேர்ந்தெடுக்கப்பட்ட அடிப்படை ஊதியம் மொத்த சம்பளம் வங்கி வவுச்சர் உருவாக்க
629 Create Customer உருவாக்கு
630 Create Material Requests பொருள் கோரிக்கைகள் உருவாக்க
631 Create New புதிய உருவாக்கவும்
647 Credit கடன்
648 Credit Amt கடன் AMT
649 Credit Card கடன் அட்டை
650 Credit Card Voucher Credit Card Entry கடன் அட்டை வவுச்சர்
651 Credit Controller கடன் கட்டுப்பாட்டாளர்
652 Credit Days கடன் நாட்கள்
653 Credit Limit கடன் எல்லை
979 Excise Duty Edu Cess 2 உற்பத்தி வரி குன்றம் செஸ் 2
980 Excise Duty SHE Cess 1 உற்பத்தி வரி அவள் செஸ் 1
981 Excise Page Number கலால் பக்கம் எண்
982 Excise Voucher Excise Entry கலால் வவுச்சர்
983 Execution நிர்வாகத்தினருக்கு
984 Executive Search நிறைவேற்று தேடல்
985 Exemption Limit விலக்கு வரம்பு
1327 Invoice Period From and Invoice Period To dates mandatory for recurring invoice விலைப்பட்டியல் மீண்டும் கட்டாயமாக தேதிகள் மற்றும் விலைப்பட்டியல் காலம் விலைப்பட்டியல் காலம்
1328 Invoice Period To செய்ய விலைப்பட்டியல் காலம்
1329 Invoice Type விலைப்பட்டியல் வகை
1330 Invoice/Journal Voucher Details Invoice/Journal Entry Details விலைப்பட்டியல் / ஜர்னல் ரசீது விவரங்கள்
1331 Invoiced Amount (Exculsive Tax) விலை விவரம் தொகை ( ஒதுக்கி தள்ளும் பண்புடைய வரி )
1332 Is Active செயலில் உள்ளது
1333 Is Advance முன்பணம்
1457 Jobs Email Settings வேலைகள் மின்னஞ்சல் அமைப்புகள்
1458 Journal Entries ஜர்னல் பதிவுகள்
1459 Journal Entry பத்திரிகை நுழைவு
1460 Journal Voucher Journal Entry பத்திரிகை வவுச்சர்
1461 Journal Entry Account பத்திரிகை வவுச்சர் விரிவாக
1462 Journal Entry Account No பத்திரிகை வவுச்சர் விரிவாக இல்லை
1463 Journal Voucher {0} does not have account {1} or already matched Journal Entry {0} does not have account {1} or already matched ஜர்னல் வவுச்சர் {0} கணக்கு இல்லை {1} அல்லது ஏற்கனவே பொருந்தியது
1464 Journal Vouchers {0} are un-linked Journal Entries {0} are un-linked ஜர்னல் கே {0} ஐ.நா. இணைக்கப்பட்ட
1465 Keep a track of communication related to this enquiry which will help for future reference. எதிர்கால உதவும் இந்த விசாரணை தொடர்பான தகவல் ஒரு கண்காணிக்க.
1466 Keep it web friendly 900px (w) by 100px (h) 100px வலை நட்பு 900px ( W ) வைத்து ( H )
1467 Key Performance Area முக்கிய செயல்திறன் பகுதி
1576 Major/Optional Subjects முக்கிய / விருப்ப பாடங்கள்
1577 Make Make
1578 Make Accounting Entry For Every Stock Movement ஒவ்வொரு பங்கு இயக்கம் , பைனான்ஸ் உள்ளீடு செய்ய
1579 Make Bank Voucher Make Bank Entry வங்கி வவுச்சர் செய்ய
1580 Make Credit Note கடன் நினைவில் கொள்ளுங்கள்
1581 Make Debit Note பற்று நினைவில் கொள்ளுங்கள்
1582 Make Delivery விநியோகம் செய்ய
3096 Update Series Number மேம்படுத்தல் தொடர் எண்
3097 Update Stock பங்கு புதுப்பிக்க
3098 Update bank payment dates with journals. மேம்படுத்தல் வங்கி பணம் பத்திரிகைகள் மூலம் செல்கிறது.
3099 Update clearance date of Journal Entries marked as 'Bank Vouchers' Update clearance date of Journal Entries marked as 'Bank Entry' ஜர்னல் பதிவுகள் புதுப்பிக்கவும் அனுமதி தேதி ' வங்கி உறுதி சீட்டு ' என குறிக்கப்பட்ட
3100 Updated புதுப்பிக்கப்பட்ட
3101 Updated Birthday Reminders இற்றை நினைவூட்டல்கள்
3102 Upload Attendance பங்கேற்கும் பதிவேற்ற
3234 Write Off Based On ஆனால் அடிப்படையில் இனிய எழுத
3235 Write Off Cost Center செலவு மையம் இனிய எழுத
3236 Write Off Outstanding Amount சிறந்த தொகை இனிய எழுத
3237 Write Off Voucher Write Off Entry வவுச்சர் இனிய எழுத
3238 Wrong Template: Unable to find head row. தவறான வார்ப்புரு: தலை வரிசையில் கண்டுபிடிக்க முடியவில்லை.
3239 Year ஆண்டு
3240 Year Closed ஆண்டு மூடப்பட்ட
3252 You can enter the minimum quantity of this item to be ordered. நீங்கள் கட்டளையிட்ட வேண்டும் இந்த உருப்படியை குறைந்தபட்ச அளவு நுழைய முடியாது.
3253 You can not change rate if BOM mentioned agianst any item BOM எந்த பொருளை agianst குறிப்பிட்டுள்ள நீங்கள் வீதம் மாற்ற முடியாது
3254 You can not enter both Delivery Note No and Sales Invoice No. Please enter any one. நீங்கள் எந்த இரு விநியோக குறிப்பு நுழைய முடியாது மற்றும் விற்பனை விலைப்பட்டியல் இல்லை எந்த ஒரு உள்ளிடவும்.
3255 You can not enter current voucher in 'Against Journal Voucher' column You can not enter current voucher in 'Against Journal Entry' column நீங்கள் பத்தியில் ' ஜர்னல் வவுச்சர் எதிரான' தற்போதைய ரசீது நுழைய முடியாது
3256 You can set Default Bank Account in Company master நீங்கள் நிறுவனத்தின் மாஸ்டர் இயல்புநிலை வங்கி கணக்கு அமைக்க முடியும்
3257 You can start by selecting backup frequency and granting access for sync நீங்கள் காப்பு அதிர்வெண் தேர்வு மற்றும் ஒருங்கிணைப்பு அணுகல் வழங்குவதன் மூலம் தொடங்க முடியும்
3258 You can submit this Stock Reconciliation. இந்த பங்கு நல்லிணக்க சமர்ப்பிக்க முடியும் .

View File

@ -152,8 +152,8 @@ Against Document Detail No,กับรายละเอียดของเ
Against Document No,กับเอกสารเลขที่
Against Expense Account,กับบัญชีค่าใช้จ่าย
Against Income Account,กับบัญชีรายได้
Against Journal Voucher,กับบัตรกำนัลวารสาร
Against Journal Voucher {0} does not have any unmatched {1} entry,กับ วารสาร คูปอง {0} ไม่มี ใครเทียบ {1} รายการ
Against Journal Entry,กับบัตรกำนัลวารสาร
Against Journal Entry {0} does not have any unmatched {1} entry,กับ วารสาร คูปอง {0} ไม่มี ใครเทียบ {1} รายการ
Against Purchase Invoice,กับใบกำกับซื้อ
Against Sales Invoice,กับขายใบแจ้งหนี้
Against Sales Order,กับ การขายสินค้า
@ -335,7 +335,7 @@ Bank Overdraft Account,บัญชี เงินเบิกเกินบ
Bank Reconciliation,กระทบยอดธนาคาร
Bank Reconciliation Detail,รายละเอียดการกระทบยอดธนาคาร
Bank Reconciliation Statement,งบกระทบยอดธนาคาร
Bank Voucher,บัตรกำนัลธนาคาร
Bank Entry,บัตรกำนัลธนาคาร
Bank/Cash Balance,ธนาคารเงินสด / ยอดคงเหลือ
Banking,การธนาคาร
Barcode,บาร์โค้ด
@ -470,7 +470,7 @@ Case No(s) already in use. Try from Case No {0},กรณีที่ ไม่
Case No. cannot be 0,คดีหมายเลข ไม่สามารถ เป็น 0
Cash,เงินสด
Cash In Hand,เงินสด ใน มือ
Cash Voucher,บัตรกำนัลเงินสด
Cash Entry,บัตรกำนัลเงินสด
Cash or Bank Account is mandatory for making payment entry,เงินสดหรือ บัญชีธนาคาร มีผลบังคับใช้ สำหรับการทำ รายการ ชำระเงิน
Cash/Bank Account,เงินสด / บัญชีธนาคาร
Casual Leave,สบาย ๆ ออก
@ -594,7 +594,7 @@ Contact master.,ติดต่อ นาย
Contacts,ติดต่อ
Content,เนื้อหา
Content Type,ประเภทเนื้อหา
Contra Voucher,บัตรกำนัลต้าน
Contra Entry,บัตรกำนัลต้าน
Contract,สัญญา
Contract End Date,วันที่สิ้นสุดสัญญา
Contract End Date must be greater than Date of Joining,วันที่สิ้นสุด สัญญา จะต้องมากกว่า วันที่ เข้าร่วม
@ -625,7 +625,7 @@ Country,ประเทศ
Country Name,ชื่อประเทศ
Country wise default Address Templates,แม่แบบของประเทศที่อยู่เริ่มต้นอย่างชาญฉลาด
"Country, Timezone and Currency",โซน ประเทศ และ สกุลเงิน
Create Bank Voucher for the total salary paid for the above selected criteria,สร้างบัตรกำนัลธนาคารเพื่อการรวมเงินเดือนที่จ่ายสำหรับเกณฑ์ที่เลือกข้างต้น
Create Bank Entry for the total salary paid for the above selected criteria,สร้างบัตรกำนัลธนาคารเพื่อการรวมเงินเดือนที่จ่ายสำหรับเกณฑ์ที่เลือกข้างต้น
Create Customer,สร้าง ลูกค้า
Create Material Requests,ขอสร้างวัสดุ
Create New,สร้างใหม่
@ -647,7 +647,7 @@ Credentials,ประกาศนียบัตร
Credit,เครดิต
Credit Amt,จำนวนเครดิต
Credit Card,บัตรเครดิต
Credit Card Voucher,บัตรกำนัลชำระด้วยบัตรเครดิต
Credit Card Entry,บัตรกำนัลชำระด้วยบัตรเครดิต
Credit Controller,ควบคุมเครดิต
Credit Days,วันเครดิต
Credit Limit,วงเงินสินเชื่อ
@ -979,7 +979,7 @@ Excise Duty @ 8,อากรสรรพสามิต @ 8
Excise Duty Edu Cess 2,สรรพสามิตหน้าที่ Edu Cess 2
Excise Duty SHE Cess 1,สรรพสามิตหน้าที่ SHE Cess 1
Excise Page Number,หมายเลขหน้าสรรพสามิต
Excise Voucher,บัตรกำนัลสรรพสามิต
Excise Entry,บัตรกำนัลสรรพสามิต
Execution,การปฏิบัติ
Executive Search,การค้นหา ผู้บริหาร
Exemption Limit,วงเงินข้อยกเว้น
@ -1327,7 +1327,7 @@ Invoice Period From,ใบแจ้งหนี้จากระยะเวล
Invoice Period From and Invoice Period To dates mandatory for recurring invoice,ระยะเวลา ใบแจ้งหนี้ จาก ใบแจ้งหนี้ และ ระยะเวลา ในการ บังคับใช้ วันที่ ของใบแจ้งหนี้ ที่เกิดขึ้น
Invoice Period To,ระยะเวลาใบแจ้งหนี้เพื่อ
Invoice Type,ประเภทใบแจ้งหนี้
Invoice/Journal Voucher Details,ใบแจ้งหนี้ / วารสารรายละเอียดคูปอง
Invoice/Journal Entry Details,ใบแจ้งหนี้ / วารสารรายละเอียดคูปอง
Invoiced Amount (Exculsive Tax),จำนวนเงินที่ ออกใบแจ้งหนี้ ( Exculsive ภาษี )
Is Active,มีการใช้งาน
Is Advance,ล่วงหน้า
@ -1457,11 +1457,11 @@ Job Title,ตำแหน่งงาน
Jobs Email Settings,งานการตั้งค่าอีเมล
Journal Entries,บันทึกรายการแบบรวม
Journal Entry,บันทึกรายการค้า
Journal Voucher,บัตรกำนัลวารสาร
Journal Entry,บัตรกำนัลวารสาร
Journal Entry Account,รายละเอียดใบสำคัญรายวันทั่วไป
Journal Entry Account No,รายละเอียดใบสำคัญรายวันทั่วไปไม่มี
Journal Voucher {0} does not have account {1} or already matched,ใบสำคัญรายวันทั่วไป {0} ไม่ได้มี บัญชี {1} หรือ การจับคู่ แล้ว
Journal Vouchers {0} are un-linked,ใบสำคัญรายวันทั่วไป {0} จะ ยกเลิกการ เชื่อมโยง
Journal Entry {0} does not have account {1} or already matched,ใบสำคัญรายวันทั่วไป {0} ไม่ได้มี บัญชี {1} หรือ การจับคู่ แล้ว
Journal Entries {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,พื้นที่การดำเนินงานหลัก
@ -1576,7 +1576,7 @@ Maintenance start date can not be before delivery date for Serial No {0},วั
Major/Optional Subjects,วิชาเอก / เสริม
Make ,สร้าง
Make Accounting Entry For Every Stock Movement,ทำให้ รายการ บัญชี สำหรับ ทุก การเคลื่อนไหวของ หุ้น
Make Bank Voucher,ทำให้บัตรของธนาคาร
Make Bank Entry,ทำให้บัตรของธนาคาร
Make Credit Note,ให้ เครดิต หมายเหตุ
Make Debit Note,ให้ หมายเหตุ เดบิต
Make Delivery,ทำให้ การจัดส่งสินค้า
@ -3096,7 +3096,7 @@ Update Series,Series ปรับปรุง
Update Series Number,จำนวน Series ปรับปรุง
Update Stock,อัพเดทสต็อก
Update bank payment dates with journals.,การชำระเงินของธนาคารปรับปรุงวันที่มีวารสาร
Update clearance date of Journal Entries marked as 'Bank Vouchers',ปรับปรุง การกวาดล้าง ของ อนุทิน ทำเครื่องหมายเป็น ' ธนาคาร บัตรกำนัล '
Update clearance date of Journal Entries marked as 'Bank Entry',ปรับปรุง การกวาดล้าง ของ อนุทิน ทำเครื่องหมายเป็น ' ธนาคาร บัตรกำนัล '
Updated,อัพเดต
Updated Birthday Reminders,การปรับปรุง การแจ้งเตือน วันเกิด
Upload Attendance,อัพโหลดผู้เข้าร่วม
@ -3234,7 +3234,7 @@ Write Off Amount <=,เขียนทันทีจำนวน &lt;=
Write Off Based On,เขียนปิดขึ้นอยู่กับ
Write Off Cost Center,เขียนปิดศูนย์ต้นทุน
Write Off Outstanding Amount,เขียนปิดยอดคงค้าง
Write Off Voucher,เขียนทันทีบัตรกำนัล
Write Off Entry,เขียนทันทีบัตรกำนัล
Wrong Template: Unable to find head row.,แม่แบบผิด: ไม่สามารถหาแถวหัว
Year,ปี
Year Closed,ปีที่ปิด
@ -3252,7 +3252,7 @@ You can enter any date manually,คุณสามารถป้อนวัน
You can enter the minimum quantity of this item to be ordered.,คุณสามารถป้อนปริมาณขั้นต่ำของรายการนี​​้จะได้รับคำสั่ง
You can not change rate if BOM mentioned agianst any item,คุณไม่สามารถเปลี่ยน อัตรา ถ้า BOM กล่าว agianst รายการใด ๆ
You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,คุณไม่สามารถป้อน การจัดส่งสินค้า ทั้ง หมายเหตุ ไม่มี และ ขายใบแจ้งหนี้ ฉบับ กรุณากรอก คนใดคนหนึ่ง
You can not enter current voucher in 'Against Journal Voucher' column,คุณไม่สามารถป้อน คูปอง ในปัจจุบันใน ' กับ วารสาร คูปอง ' คอลัมน์
You can not enter current voucher in 'Against Journal Entry' column,คุณไม่สามารถป้อน คูปอง ในปัจจุบันใน ' กับ วารสาร คูปอง ' คอลัมน์
You can set Default Bank Account in Company master,คุณสามารถตั้งค่า เริ่มต้น ใน บัญชีธนาคาร หลัก ของ บริษัท
You can start by selecting backup frequency and granting access for sync,คุณสามารถเริ่มต้น ด้วยการเลือก ความถี่ สำรองข้อมูลและ การอนุญาต การเข้าถึงสำหรับ การซิงค์
You can submit this Stock Reconciliation.,คุณสามารถส่ง รูป นี้ สมานฉันท์

1 (Half Day) (ครึ่งวัน)
152 Against Document No กับเอกสารเลขที่
153 Against Expense Account กับบัญชีค่าใช้จ่าย
154 Against Income Account กับบัญชีรายได้
155 Against Journal Voucher Against Journal Entry กับบัตรกำนัลวารสาร
156 Against Journal Voucher {0} does not have any unmatched {1} entry Against Journal Entry {0} does not have any unmatched {1} entry กับ วารสาร คูปอง {0} ไม่มี ใครเทียบ {1} รายการ
157 Against Purchase Invoice กับใบกำกับซื้อ
158 Against Sales Invoice กับขายใบแจ้งหนี้
159 Against Sales Order กับ การขายสินค้า
335 Bank Reconciliation กระทบยอดธนาคาร
336 Bank Reconciliation Detail รายละเอียดการกระทบยอดธนาคาร
337 Bank Reconciliation Statement งบกระทบยอดธนาคาร
338 Bank Voucher Bank Entry บัตรกำนัลธนาคาร
339 Bank/Cash Balance ธนาคารเงินสด / ยอดคงเหลือ
340 Banking การธนาคาร
341 Barcode บาร์โค้ด
470 Case No. cannot be 0 คดีหมายเลข ไม่สามารถ เป็น 0
471 Cash เงินสด
472 Cash In Hand เงินสด ใน มือ
473 Cash Voucher Cash Entry บัตรกำนัลเงินสด
474 Cash or Bank Account is mandatory for making payment entry เงินสดหรือ บัญชีธนาคาร มีผลบังคับใช้ สำหรับการทำ รายการ ชำระเงิน
475 Cash/Bank Account เงินสด / บัญชีธนาคาร
476 Casual Leave สบาย ๆ ออก
594 Contacts ติดต่อ
595 Content เนื้อหา
596 Content Type ประเภทเนื้อหา
597 Contra Voucher Contra Entry บัตรกำนัลต้าน
598 Contract สัญญา
599 Contract End Date วันที่สิ้นสุดสัญญา
600 Contract End Date must be greater than Date of Joining วันที่สิ้นสุด สัญญา จะต้องมากกว่า วันที่ เข้าร่วม
625 Country Name ชื่อประเทศ
626 Country wise default Address Templates แม่แบบของประเทศที่อยู่เริ่มต้นอย่างชาญฉลาด
627 Country, Timezone and Currency โซน ประเทศ และ สกุลเงิน
628 Create Bank Voucher for the total salary paid for the above selected criteria Create Bank Entry for the total salary paid for the above selected criteria สร้างบัตรกำนัลธนาคารเพื่อการรวมเงินเดือนที่จ่ายสำหรับเกณฑ์ที่เลือกข้างต้น
629 Create Customer สร้าง ลูกค้า
630 Create Material Requests ขอสร้างวัสดุ
631 Create New สร้างใหม่
647 Credit เครดิต
648 Credit Amt จำนวนเครดิต
649 Credit Card บัตรเครดิต
650 Credit Card Voucher Credit Card Entry บัตรกำนัลชำระด้วยบัตรเครดิต
651 Credit Controller ควบคุมเครดิต
652 Credit Days วันเครดิต
653 Credit Limit วงเงินสินเชื่อ
979 Excise Duty Edu Cess 2 สรรพสามิตหน้าที่ Edu Cess 2
980 Excise Duty SHE Cess 1 สรรพสามิตหน้าที่ SHE Cess 1
981 Excise Page Number หมายเลขหน้าสรรพสามิต
982 Excise Voucher Excise Entry บัตรกำนัลสรรพสามิต
983 Execution การปฏิบัติ
984 Executive Search การค้นหา ผู้บริหาร
985 Exemption Limit วงเงินข้อยกเว้น
1327 Invoice Period From and Invoice Period To dates mandatory for recurring invoice ระยะเวลา ใบแจ้งหนี้ จาก ใบแจ้งหนี้ และ ระยะเวลา ในการ บังคับใช้ วันที่ ของใบแจ้งหนี้ ที่เกิดขึ้น
1328 Invoice Period To ระยะเวลาใบแจ้งหนี้เพื่อ
1329 Invoice Type ประเภทใบแจ้งหนี้
1330 Invoice/Journal Voucher Details Invoice/Journal Entry Details ใบแจ้งหนี้ / วารสารรายละเอียดคูปอง
1331 Invoiced Amount (Exculsive Tax) จำนวนเงินที่ ออกใบแจ้งหนี้ ( Exculsive ภาษี )
1332 Is Active มีการใช้งาน
1333 Is Advance ล่วงหน้า
1457 Jobs Email Settings งานการตั้งค่าอีเมล
1458 Journal Entries บันทึกรายการแบบรวม
1459 Journal Entry บันทึกรายการค้า
1460 Journal Voucher Journal Entry บัตรกำนัลวารสาร
1461 Journal Entry Account รายละเอียดใบสำคัญรายวันทั่วไป
1462 Journal Entry Account No รายละเอียดใบสำคัญรายวันทั่วไปไม่มี
1463 Journal Voucher {0} does not have account {1} or already matched Journal Entry {0} does not have account {1} or already matched ใบสำคัญรายวันทั่วไป {0} ไม่ได้มี บัญชี {1} หรือ การจับคู่ แล้ว
1464 Journal Vouchers {0} are un-linked Journal Entries {0} are un-linked ใบสำคัญรายวันทั่วไป {0} จะ ยกเลิกการ เชื่อมโยง
1465 Keep a track of communication related to this enquiry which will help for future reference. ติดตามของการสื่อสารที่เกี่ยวข้องกับการสืบสวนเรื่องนี้ซึ่งจะช่วยให้สำหรับการอ้างอิงในอนาคต
1466 Keep it web friendly 900px (w) by 100px (h) ให้มัน เว็บ 900px มิตร (กว้าง ) โดย 100px (ซ)
1467 Key Performance Area พื้นที่การดำเนินงานหลัก
1576 Major/Optional Subjects วิชาเอก / เสริม
1577 Make สร้าง
1578 Make Accounting Entry For Every Stock Movement ทำให้ รายการ บัญชี สำหรับ ทุก การเคลื่อนไหวของ หุ้น
1579 Make Bank Voucher Make Bank Entry ทำให้บัตรของธนาคาร
1580 Make Credit Note ให้ เครดิต หมายเหตุ
1581 Make Debit Note ให้ หมายเหตุ เดบิต
1582 Make Delivery ทำให้ การจัดส่งสินค้า
3096 Update Series Number จำนวน Series ปรับปรุง
3097 Update Stock อัพเดทสต็อก
3098 Update bank payment dates with journals. การชำระเงินของธนาคารปรับปรุงวันที่มีวารสาร
3099 Update clearance date of Journal Entries marked as 'Bank Vouchers' Update clearance date of Journal Entries marked as 'Bank Entry' ปรับปรุง การกวาดล้าง ของ อนุทิน ทำเครื่องหมายเป็น ' ธนาคาร บัตรกำนัล '
3100 Updated อัพเดต
3101 Updated Birthday Reminders การปรับปรุง การแจ้งเตือน วันเกิด
3102 Upload Attendance อัพโหลดผู้เข้าร่วม
3234 Write Off Based On เขียนปิดขึ้นอยู่กับ
3235 Write Off Cost Center เขียนปิดศูนย์ต้นทุน
3236 Write Off Outstanding Amount เขียนปิดยอดคงค้าง
3237 Write Off Voucher Write Off Entry เขียนทันทีบัตรกำนัล
3238 Wrong Template: Unable to find head row. แม่แบบผิด: ไม่สามารถหาแถวหัว
3239 Year ปี
3240 Year Closed ปีที่ปิด
3252 You can enter the minimum quantity of this item to be ordered. คุณสามารถป้อนปริมาณขั้นต่ำของรายการนี​​้จะได้รับคำสั่ง
3253 You can not change rate if BOM mentioned agianst any item คุณไม่สามารถเปลี่ยน อัตรา ถ้า BOM กล่าว agianst รายการใด ๆ
3254 You can not enter both Delivery Note No and Sales Invoice No. Please enter any one. คุณไม่สามารถป้อน การจัดส่งสินค้า ทั้ง หมายเหตุ ไม่มี และ ขายใบแจ้งหนี้ ฉบับ กรุณากรอก คนใดคนหนึ่ง
3255 You can not enter current voucher in 'Against Journal Voucher' column You can not enter current voucher in 'Against Journal Entry' column คุณไม่สามารถป้อน คูปอง ในปัจจุบันใน ' กับ วารสาร คูปอง ' คอลัมน์
3256 You can set Default Bank Account in Company master คุณสามารถตั้งค่า เริ่มต้น ใน บัญชีธนาคาร หลัก ของ บริษัท
3257 You can start by selecting backup frequency and granting access for sync คุณสามารถเริ่มต้น ด้วยการเลือก ความถี่ สำรองข้อมูลและ การอนุญาต การเข้าถึงสำหรับ การซิงค์
3258 You can submit this Stock Reconciliation. คุณสามารถส่ง รูป นี้ สมานฉันท์

View File

@ -152,8 +152,8 @@ Against Document Detail No,Against Document Detail No
Against Document No,Against Document No
Against Expense Account,Against Expense Account
Against Income Account,Against Income Account
Against Journal Voucher,Against Journal Voucher
Against Journal Voucher {0} does not have any unmatched {1} entry,Dergi Çeki karşı {0} herhangi bir eşsiz {1} girdi yok
Against Journal Entry,Against Journal Entry
Against Journal Entry {0} does not have any unmatched {1} entry,Dergi Çeki karşı {0} herhangi bir eşsiz {1} girdi yok
Against Purchase Invoice,Against Purchase Invoice
Against Sales Invoice,Against Sales Invoice
Against Sales Order,Satış Siparişi karşı
@ -335,7 +335,7 @@ Bank Overdraft Account,Banka Kredili Mevduat Hesabı
Bank Reconciliation,Banka Uzlaşma
Bank Reconciliation Detail,Banka Uzlaşma Detay
Bank Reconciliation Statement,Banka Uzlaşma Bildirimi
Bank Voucher,Banka Çeki
Bank Entry,Banka Çeki
Bank/Cash Balance,Banka / Nakit Dengesi
Banking,Bankacılık
Barcode,Barkod
@ -470,7 +470,7 @@ Case No(s) already in use. Try from Case No {0},Örnek numaraları zaten kullan
Case No. cannot be 0,Örnek Numarası 0 olamaz
Cash,Nakit
Cash In Hand,Kasa mevcudu
Cash Voucher,Para yerine geçen belge
Cash Entry,Para yerine geçen belge
Cash or Bank Account is mandatory for making payment entry,Kasa veya Banka Hesabı ödeme girişi yapmak için zorunludur
Cash/Bank Account,Kasa / Banka Hesabı
Casual Leave,Casual bırak
@ -594,7 +594,7 @@ Contact master.,İletişim ustası.
Contacts,İletişimler
Content,İçerik
Content Type,İçerik Türü
Contra Voucher,Contra Çeki
Contra Entry,Contra Çeki
Contract,Sözleşme
Contract End Date,Sözleşme Bitiş Tarihi
Contract End Date must be greater than Date of Joining,Sözleşme Bitiş Tarihi Katılma tarihinden daha büyük olmalıdır
@ -625,7 +625,7 @@ Country,Ülke
Country Name,Ülke Adı
Country wise default Address Templates,Ülke bilge varsayılan Adres Şablonları
"Country, Timezone and Currency","Ülke, Saat Dilimi ve Döviz"
Create Bank Voucher for the total salary paid for the above selected criteria,Yukarıda seçilen ölçütler için ödenen toplam maaş için Banka Çeki oluştur
Create Bank Entry for the total salary paid for the above selected criteria,Yukarıda seçilen ölçütler için ödenen toplam maaş için Banka Çeki oluştur
Create Customer,Müşteri Oluştur
Create Material Requests,Malzeme İstekleri Oluştur
Create New,Yeni Oluştur
@ -647,7 +647,7 @@ Credentials,Kimlik Bilgileri
Credit,Kredi
Credit Amt,Kredi Tutarı
Credit Card,Kredi kartı
Credit Card Voucher,Kredi Kartı Çeki
Credit Card Entry,Kredi Kartı Çeki
Credit Controller,Kredi Kontrolör
Credit Days,Kredi Gün
Credit Limit,Kredi Limiti
@ -979,7 +979,7 @@ Excise Duty @ 8,@ 8 Özel Tüketim Vergisi
Excise Duty Edu Cess 2,ÖTV Edu Cess 2
Excise Duty SHE Cess 1,ÖTV SHE Cess 1
Excise Page Number,Tüketim Sayfa Numarası
Excise Voucher,Tüketim Çeki
Excise Entry,Tüketim Çeki
Execution,Yerine Getirme
Executive Search,Executive Search
Exemption Limit,Muafiyet Sınırı
@ -1327,7 +1327,7 @@ Invoice Period From,Gönderen Fatura Dönemi
Invoice Period From and Invoice Period To dates mandatory for recurring invoice,Faturayı yinelenen zorunlu tarihler için ve Fatura Dönemi itibaren Fatura Dönemi
Invoice Period To,Için Fatura Dönemi
Invoice Type,Fatura Türü
Invoice/Journal Voucher Details,Fatura / Dergi Çeki Detayları
Invoice/Journal Entry Details,Fatura / Dergi Çeki Detayları
Invoiced Amount (Exculsive Tax),Faturalanan Tutar (Exculsive Vergisi)
Is Active,Aktif mi
Is Advance,Peşin mi
@ -1457,11 +1457,11 @@ Job Title,Meslek
Jobs Email Settings,İş E-posta Ayarları
Journal Entries,Alacak/Borç Girişleri
Journal Entry,Alacak/Borç Girişleri
Journal Voucher,Alacak/Borç Çeki
Journal Entry,Alacak/Borç Çeki
Journal Entry Account,Alacak/Borç Fiş Detay
Journal Entry Account No,Alacak/Borç Fiş Detay No
Journal Voucher {0} does not have account {1} or already matched,Dergi Çeki {0} hesabı yok {1} ya da zaten eşleşti
Journal Vouchers {0} are un-linked,Dergi Fişler {0} un-bağlantılı
Journal Entry {0} does not have account {1} or already matched,Dergi Çeki {0} hesabı yok {1} ya da zaten eşleşti
Journal Entries {0} are un-linked,Dergi Fişler {0} un-bağlantılı
Keep a track of communication related to this enquiry which will help for future reference.,Gelecekte başvurulara yardımcı olmak için bu soruşturma ile ilgili bir iletişim takip edin.
Keep it web friendly 900px (w) by 100px (h),100px tarafından web dostu 900px (w) it Keep (h)
Key Performance Area,Anahtar Performans Alan
@ -1576,7 +1576,7 @@ Maintenance start date can not be before delivery date for Serial No {0},Bakım
Major/Optional Subjects,Zorunlu / Opsiyonel Konular
Make ,Make
Make Accounting Entry For Every Stock Movement,Her Stok Hareketi İçin Muhasebe kaydı yapmak
Make Bank Voucher,Banka Çeki Yap
Make Bank Entry,Banka Çeki Yap
Make Credit Note,Kredi Not Yap
Make Debit Note,Banka Not Yap
Make Delivery,Teslim olun
@ -3096,7 +3096,7 @@ Update Series,Update Serisi
Update Series Number,Update Serisi sayısı
Update Stock,Stok Güncelleme
Update bank payment dates with journals.,Update bank payment dates with journals.
Update clearance date of Journal Entries marked as 'Bank Vouchers',Journal Entries Update temizlenme tarihi 'Banka Fişler' olarak işaretlenmiş
Update clearance date of Journal Entries marked as 'Bank Entry',Journal Entries Update temizlenme tarihi 'Banka Fişler' olarak işaretlenmiş
Updated,Güncellenmiş
Updated Birthday Reminders,Güncelleme Birthday Reminders
Upload Attendance,Katılımcı ekle
@ -3234,7 +3234,7 @@ Write Off Amount <=,Write Off Amount <=
Write Off Based On,Write Off Based On
Write Off Cost Center,Write Off Cost Center
Write Off Outstanding Amount,Write Off Outstanding Amount
Write Off Voucher,Write Off Voucher
Write Off Entry,Write Off Entry
Wrong Template: Unable to find head row.,Yanlış Şablon: kafa satır bulmak için açılamıyor.
Year,Yıl
Year Closed,Yıl Kapalı
@ -3252,7 +3252,7 @@ You can enter any date manually,Elle herhangi bir tarih girebilirsiniz
You can enter the minimum quantity of this item to be ordered.,Sen sipariş için bu maddenin minimum miktar girebilirsiniz.
You can not change rate if BOM mentioned agianst any item,BOM herhangi bir öğenin agianst söz eğer hızını değiştiremezsiniz
You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,Hayır hem Teslim Not giremezsiniz ve Satış Fatura No birini girin.
You can not enter current voucher in 'Against Journal Voucher' column,Sen sütununda 'Journal Fiş Karşı' cari fiş giremezsiniz
You can not enter current voucher in 'Against Journal Entry' column,Sen sütununda 'Journal Fiş Karşı' cari fiş giremezsiniz
You can set Default Bank Account in Company master,Siz Firma master Varsayılan Banka Hesap ayarlayabilirsiniz
You can start by selecting backup frequency and granting access for sync,Yedekleme sıklığını seçme ve senkronizasyon için erişim sağlayarak başlayabilirsiniz
You can submit this Stock Reconciliation.,Bu Stok Uzlaşma gönderebilirsiniz.

1 (Half Day) (Half Day)
152 Against Document No Against Document No
153 Against Expense Account Against Expense Account
154 Against Income Account Against Income Account
155 Against Journal Voucher Against Journal Entry Against Journal Voucher Against Journal Entry
156 Against Journal Voucher {0} does not have any unmatched {1} entry Against Journal Entry {0} does not have any unmatched {1} entry Dergi Çeki karşı {0} herhangi bir eşsiz {1} girdi yok
157 Against Purchase Invoice Against Purchase Invoice
158 Against Sales Invoice Against Sales Invoice
159 Against Sales Order Satış Siparişi karşı
335 Bank Reconciliation Banka Uzlaşma
336 Bank Reconciliation Detail Banka Uzlaşma Detay
337 Bank Reconciliation Statement Banka Uzlaşma Bildirimi
338 Bank Voucher Bank Entry Banka Çeki
339 Bank/Cash Balance Banka / Nakit Dengesi
340 Banking Bankacılık
341 Barcode Barkod
470 Case No. cannot be 0 Örnek Numarası 0 olamaz
471 Cash Nakit
472 Cash In Hand Kasa mevcudu
473 Cash Voucher Cash Entry Para yerine geçen belge
474 Cash or Bank Account is mandatory for making payment entry Kasa veya Banka Hesabı ödeme girişi yapmak için zorunludur
475 Cash/Bank Account Kasa / Banka Hesabı
476 Casual Leave Casual bırak
594 Contacts İletişimler
595 Content İçerik
596 Content Type İçerik Türü
597 Contra Voucher Contra Entry Contra Çeki
598 Contract Sözleşme
599 Contract End Date Sözleşme Bitiş Tarihi
600 Contract End Date must be greater than Date of Joining Sözleşme Bitiş Tarihi Katılma tarihinden daha büyük olmalıdır
625 Country Name Ülke Adı
626 Country wise default Address Templates Ülke bilge varsayılan Adres Şablonları
627 Country, Timezone and Currency Ülke, Saat Dilimi ve Döviz
628 Create Bank Voucher for the total salary paid for the above selected criteria Create Bank Entry for the total salary paid for the above selected criteria Yukarıda seçilen ölçütler için ödenen toplam maaş için Banka Çeki oluştur
629 Create Customer Müşteri Oluştur
630 Create Material Requests Malzeme İstekleri Oluştur
631 Create New Yeni Oluştur
647 Credit Kredi
648 Credit Amt Kredi Tutarı
649 Credit Card Kredi kartı
650 Credit Card Voucher Credit Card Entry Kredi Kartı Çeki
651 Credit Controller Kredi Kontrolör
652 Credit Days Kredi Gün
653 Credit Limit Kredi Limiti
979 Excise Duty Edu Cess 2 ÖTV Edu Cess 2
980 Excise Duty SHE Cess 1 ÖTV SHE Cess 1
981 Excise Page Number Tüketim Sayfa Numarası
982 Excise Voucher Excise Entry Tüketim Çeki
983 Execution Yerine Getirme
984 Executive Search Executive Search
985 Exemption Limit Muafiyet Sınırı
1327 Invoice Period From and Invoice Period To dates mandatory for recurring invoice Faturayı yinelenen zorunlu tarihler için ve Fatura Dönemi itibaren Fatura Dönemi
1328 Invoice Period To Için Fatura Dönemi
1329 Invoice Type Fatura Türü
1330 Invoice/Journal Voucher Details Invoice/Journal Entry Details Fatura / Dergi Çeki Detayları
1331 Invoiced Amount (Exculsive Tax) Faturalanan Tutar (Exculsive Vergisi)
1332 Is Active Aktif mi
1333 Is Advance Peşin mi
1457 Jobs Email Settings İş E-posta Ayarları
1458 Journal Entries Alacak/Borç Girişleri
1459 Journal Entry Alacak/Borç Girişleri
1460 Journal Voucher Journal Entry Alacak/Borç Çeki
1461 Journal Entry Account Alacak/Borç Fiş Detay
1462 Journal Entry Account No Alacak/Borç Fiş Detay No
1463 Journal Voucher {0} does not have account {1} or already matched Journal Entry {0} does not have account {1} or already matched Dergi Çeki {0} hesabı yok {1} ya da zaten eşleşti
1464 Journal Vouchers {0} are un-linked Journal Entries {0} are un-linked Dergi Fişler {0} un-bağlantılı
1465 Keep a track of communication related to this enquiry which will help for future reference. Gelecekte başvurulara yardımcı olmak için bu soruşturma ile ilgili bir iletişim takip edin.
1466 Keep it web friendly 900px (w) by 100px (h) 100px tarafından web dostu 900px (w) it Keep (h)
1467 Key Performance Area Anahtar Performans Alan
1576 Major/Optional Subjects Zorunlu / Opsiyonel Konular
1577 Make Make
1578 Make Accounting Entry For Every Stock Movement Her Stok Hareketi İçin Muhasebe kaydı yapmak
1579 Make Bank Voucher Make Bank Entry Banka Çeki Yap
1580 Make Credit Note Kredi Not Yap
1581 Make Debit Note Banka Not Yap
1582 Make Delivery Teslim olun
3096 Update Series Number Update Serisi sayısı
3097 Update Stock Stok Güncelleme
3098 Update bank payment dates with journals. Update bank payment dates with journals.
3099 Update clearance date of Journal Entries marked as 'Bank Vouchers' Update clearance date of Journal Entries marked as 'Bank Entry' Journal Entries Update temizlenme tarihi 'Banka Fişler' olarak işaretlenmiş
3100 Updated Güncellenmiş
3101 Updated Birthday Reminders Güncelleme Birthday Reminders
3102 Upload Attendance Katılımcı ekle
3234 Write Off Based On Write Off Based On
3235 Write Off Cost Center Write Off Cost Center
3236 Write Off Outstanding Amount Write Off Outstanding Amount
3237 Write Off Voucher Write Off Entry Write Off Voucher Write Off Entry
3238 Wrong Template: Unable to find head row. Yanlış Şablon: kafa satır bulmak için açılamıyor.
3239 Year Yıl
3240 Year Closed Yıl Kapalı
3252 You can enter the minimum quantity of this item to be ordered. Sen sipariş için bu maddenin minimum miktar girebilirsiniz.
3253 You can not change rate if BOM mentioned agianst any item BOM herhangi bir öğenin agianst söz eğer hızını değiştiremezsiniz
3254 You can not enter both Delivery Note No and Sales Invoice No. Please enter any one. Hayır hem Teslim Not giremezsiniz ve Satış Fatura No birini girin.
3255 You can not enter current voucher in 'Against Journal Voucher' column You can not enter current voucher in 'Against Journal Entry' column Sen sütununda 'Journal Fiş Karşı' cari fiş giremezsiniz
3256 You can set Default Bank Account in Company master Siz Firma master Varsayılan Banka Hesap ayarlayabilirsiniz
3257 You can start by selecting backup frequency and granting access for sync Yedekleme sıklığını seçme ve senkronizasyon için erişim sağlayarak başlayabilirsiniz
3258 You can submit this Stock Reconciliation. Bu Stok Uzlaşma gönderebilirsiniz.

View File

@ -152,8 +152,8 @@ Against Document Detail No,Đối với tài liệu chi tiết Không
Against Document No,Đối với văn bản số
Against Expense Account,Đối với tài khoản chi phí
Against Income Account,Đối với tài khoản thu nhập
Against Journal Voucher,Tạp chí chống lại Voucher
Against Journal Voucher {0} does not have any unmatched {1} entry,Đối với Tạp chí Chứng từ {0} không có bất kỳ chưa từng có {1} nhập
Against Journal Entry,Tạp chí chống lại Voucher
Against Journal Entry {0} does not have any unmatched {1} entry,Đối với Tạp chí Chứng từ {0} không có bất kỳ chưa từng có {1} nhập
Against Purchase Invoice,Đối với hóa đơn mua hàng
Against Sales Invoice,Chống bán hóa đơn
Against Sales Order,So với bán hàng đặt hàng
@ -335,7 +335,7 @@ Bank Overdraft Account,Tài khoản thấu chi ngân hàng
Bank Reconciliation,Ngân hàng hòa giải
Bank Reconciliation Detail,Ngân hàng hòa giải chi tiết
Bank Reconciliation Statement,Trữ ngân hàng hòa giải
Bank Voucher,Ngân hàng Phiếu
Bank Entry,Ngân hàng Phiếu
Bank/Cash Balance,Ngân hàng / Cash Balance
Banking,Ngân hàng
Barcode,Mã vạch
@ -470,7 +470,7 @@ Case No(s) already in use. Try from Case No {0},Không trường hợp (s) đã
Case No. cannot be 0,Trường hợp số không thể là 0
Cash,Tiền mặt
Cash In Hand,Tiền mặt trong tay
Cash Voucher,Phiếu tiền mặt
Cash Entry,Phiếu tiền mặt
Cash or Bank Account is mandatory for making payment entry,Tiền mặt hoặc tài khoản ngân hàng là bắt buộc đối với việc nhập cảnh thanh toán
Cash/Bank Account,Tài khoản tiền mặt / Ngân hàng
Casual Leave,Để lại bình thường
@ -594,7 +594,7 @@ Contact master.,Liên hệ với chủ.
Contacts,Danh bạ
Content,Lọc nội dung
Content Type,Loại nội dung
Contra Voucher,Contra Voucher
Contra Entry,Contra Entry
Contract,hợp đồng
Contract End Date,Ngày kết thúc hợp đồng
Contract End Date must be greater than Date of Joining,Ngày kết thúc hợp đồng phải lớn hơn ngày của Tham gia
@ -625,7 +625,7 @@ Country,Tại
Country Name,Tên nước
Country wise default Address Templates,Nước khôn ngoan Địa chỉ mặc định Templates
"Country, Timezone and Currency","Quốc gia, múi giờ và tiền tệ"
Create Bank Voucher for the total salary paid for the above selected criteria,Tạo Ngân hàng Chứng từ tổng tiền lương cho các tiêu chí lựa chọn ở trên
Create Bank Entry for the total salary paid for the above selected criteria,Tạo Ngân hàng Chứng từ tổng tiền lương cho các tiêu chí lựa chọn ở trên
Create Customer,Tạo ra khách hàng
Create Material Requests,Các yêu cầu tạo ra vật liệu
Create New,Tạo mới
@ -647,7 +647,7 @@ Credentials,Thông tin
Credit,Tín dụng
Credit Amt,Tín dụng Amt
Credit Card,Thẻ tín dụng
Credit Card Voucher,Phiếu thẻ tín dụng
Credit Card Entry,Phiếu thẻ tín dụng
Credit Controller,Bộ điều khiển tín dụng
Credit Days,Ngày tín dụng
Credit Limit,Hạn chế tín dụng
@ -979,7 +979,7 @@ Excise Duty @ 8,Tiêu thụ đặc biệt Duty @ 8
Excise Duty Edu Cess 2,Tiêu thụ đặc biệt Duty Edu Cess 2
Excise Duty SHE Cess 1,Tiêu thụ đặc biệt Duty SHE Cess 1
Excise Page Number,Tiêu thụ đặc biệt số trang
Excise Voucher,Phiếu tiêu thụ đặc biệt
Excise Entry,Phiếu tiêu thụ đặc biệt
Execution,Thực hiện
Executive Search,Điều hành Tìm kiếm
Exemption Limit,Giới hạn miễn
@ -1327,7 +1327,7 @@ Invoice Period From,Hóa đơn Thời gian Từ
Invoice Period From and Invoice Period To dates mandatory for recurring invoice,Thời gian hóa đơn từ và hóa đơn Thời gian Để ngày bắt buộc đối với hóa đơn định kỳ
Invoice Period To,Hóa đơn Thời gian để
Invoice Type,Loại hóa đơn
Invoice/Journal Voucher Details,Hóa đơn / Tạp chí Chứng từ chi tiết
Invoice/Journal Entry Details,Hóa đơn / Tạp chí Chứng từ chi tiết
Invoiced Amount (Exculsive Tax),Số tiền ghi trên hóa đơn (thuế Exculsive)
Is Active,Là hoạt động
Is Advance,Là Trước
@ -1457,11 +1457,11 @@ Job Title,Chức vụ
Jobs Email Settings,Thiết lập việc làm Email
Journal Entries,Tạp chí Entries
Journal Entry,Tạp chí nhập
Journal Voucher,Tạp chí Voucher
Journal Entry,Tạp chí Voucher
Journal Entry Account,Tạp chí Chứng từ chi tiết
Journal Entry Account No,Tạp chí Chứng từ chi tiết Không
Journal Voucher {0} does not have account {1} or already matched,Tạp chí Chứng từ {0} không có tài khoản {1} hoặc đã khớp
Journal Vouchers {0} are un-linked,Tạp chí Chứng từ {0} được bỏ liên kết
Journal Entry {0} does not have account {1} or already matched,Tạp chí Chứng từ {0} không có tài khoản {1} hoặc đã khớp
Journal Entries {0} are un-linked,Tạp chí Chứng từ {0} được bỏ liên kết
Keep a track of communication related to this enquiry which will help for future reference.,Giữ một ca khúc của truyền thông liên quan đến cuộc điều tra này sẽ giúp cho tài liệu tham khảo trong tương lai.
Keep it web friendly 900px (w) by 100px (h),Giữ cho nó thân thiện với web 900px (w) bởi 100px (h)
Key Performance Area,Hiệu suất chủ chốt trong khu vực
@ -1576,7 +1576,7 @@ Maintenance start date can not be before delivery date for Serial No {0},Bảo t
Major/Optional Subjects,Chính / Đối tượng bắt buộc
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 Bank Entry,Làm cho Ngân hàng Phiếu
Make Credit Note,Làm cho tín dụng Ghi chú
Make Debit Note,Làm báo nợ
Make Delivery,Làm cho giao hàng
@ -3096,7 +3096,7 @@ Update Series,Cập nhật dòng
Update Series Number,Cập nhật Dòng Số
Update Stock,Cập nhật chứng khoán
Update bank payment dates with journals.,Cập nhật ngày thanh toán ngân hàng với các tạp chí.
Update clearance date of Journal Entries marked as 'Bank Vouchers',Ngày giải phóng mặt bằng bản cập nhật của Tạp chí Entries đánh dấu là 'Ngân hàng Chứng từ'
Update clearance date of Journal Entries marked as 'Bank Entry',Ngày giải phóng mặt bằng bản cập nhật của Tạp chí Entries đánh dấu là 'Ngân hàng Chứng từ'
Updated,Xin vui lòng viết một cái gì đó
Updated Birthday Reminders,Cập nhật mừng sinh nhật Nhắc nhở
Upload Attendance,Tải lên tham dự
@ -3234,7 +3234,7 @@ Write Off Amount <=,Viết Tắt Số tiền <=
Write Off Based On,Viết Tắt Dựa trên
Write Off Cost Center,Viết Tắt Trung tâm Chi phí
Write Off Outstanding Amount,Viết Tắt Số tiền nổi bật
Write Off Voucher,Viết Tắt Voucher
Write Off Entry,Viết Tắt Voucher
Wrong Template: Unable to find head row.,Sai mẫu: Không thể tìm thấy hàng đầu.
Year,Năm
Year Closed,Đóng cửa năm
@ -3252,7 +3252,7 @@ You can enter any date manually,Bạn có thể nhập bất kỳ ngày nào tay
You can enter the minimum quantity of this item to be ordered.,Bạn có thể nhập số lượng tối thiểu của mặt hàng này được đặt hàng.
You can not change rate if BOM mentioned agianst any item,Bạn không thể thay đổi tỷ lệ nếu HĐQT đã đề cập agianst bất kỳ mục nào
You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,Bạn không thể gõ cả hai Giao hàng tận nơi Lưu ý Không có hóa đơn bán hàng và số Vui lòng nhập bất kỳ một.
You can not enter current voucher in 'Against Journal Voucher' column,Bạn không thể nhập chứng từ hiện tại 'chống Tạp chí Voucher' cột
You can not enter current voucher in 'Against Journal Entry' column,Bạn không thể nhập chứng từ hiện tại 'chống Tạp chí Voucher' cột
You can set Default Bank Account in Company master,Bạn có thể thiết lập Mặc định tài khoản ngân hàng của Công ty chủ
You can start by selecting backup frequency and granting access for sync,Bạn có thể bắt đầu bằng cách chọn tần số sao lưu và cấp quyền truy cập cho đồng bộ
You can submit this Stock Reconciliation.,Bạn có thể gửi hòa giải chứng khoán này.

1 (Half Day) (Half Day)
152 Against Document No Đối với văn bản số
153 Against Expense Account Đối với tài khoản chi phí
154 Against Income Account Đối với tài khoản thu nhập
155 Against Journal Voucher Against Journal Entry Tạp chí chống lại Voucher
156 Against Journal Voucher {0} does not have any unmatched {1} entry Against Journal Entry {0} does not have any unmatched {1} entry Đối với Tạp chí Chứng từ {0} không có bất kỳ chưa từng có {1} nhập
157 Against Purchase Invoice Đối với hóa đơn mua hàng
158 Against Sales Invoice Chống bán hóa đơn
159 Against Sales Order So với bán hàng đặt hàng
335 Bank Reconciliation Ngân hàng hòa giải
336 Bank Reconciliation Detail Ngân hàng hòa giải chi tiết
337 Bank Reconciliation Statement Trữ ngân hàng hòa giải
338 Bank Voucher Bank Entry Ngân hàng Phiếu
339 Bank/Cash Balance Ngân hàng / Cash Balance
340 Banking Ngân hàng
341 Barcode Mã vạch
470 Case No. cannot be 0 Trường hợp số không thể là 0
471 Cash Tiền mặt
472 Cash In Hand Tiền mặt trong tay
473 Cash Voucher Cash Entry Phiếu tiền mặt
474 Cash or Bank Account is mandatory for making payment entry Tiền mặt hoặc tài khoản ngân hàng là bắt buộc đối với việc nhập cảnh thanh toán
475 Cash/Bank Account Tài khoản tiền mặt / Ngân hàng
476 Casual Leave Để lại bình thường
594 Contacts Danh bạ
595 Content Lọc nội dung
596 Content Type Loại nội dung
597 Contra Voucher Contra Entry Contra Voucher Contra Entry
598 Contract hợp đồng
599 Contract End Date Ngày kết thúc hợp đồng
600 Contract End Date must be greater than Date of Joining Ngày kết thúc hợp đồng phải lớn hơn ngày của Tham gia
625 Country Name Tên nước
626 Country wise default Address Templates Nước khôn ngoan Địa chỉ mặc định Templates
627 Country, Timezone and Currency Quốc gia, múi giờ và tiền tệ
628 Create Bank Voucher for the total salary paid for the above selected criteria Create Bank Entry for the total salary paid for the above selected criteria Tạo Ngân hàng Chứng từ tổng tiền lương cho các tiêu chí lựa chọn ở trên
629 Create Customer Tạo ra khách hàng
630 Create Material Requests Các yêu cầu tạo ra vật liệu
631 Create New Tạo mới
647 Credit Tín dụng
648 Credit Amt Tín dụng Amt
649 Credit Card Thẻ tín dụng
650 Credit Card Voucher Credit Card Entry Phiếu thẻ tín dụng
651 Credit Controller Bộ điều khiển tín dụng
652 Credit Days Ngày tín dụng
653 Credit Limit Hạn chế tín dụng
979 Excise Duty Edu Cess 2 Tiêu thụ đặc biệt Duty Edu Cess 2
980 Excise Duty SHE Cess 1 Tiêu thụ đặc biệt Duty SHE Cess 1
981 Excise Page Number Tiêu thụ đặc biệt số trang
982 Excise Voucher Excise Entry Phiếu tiêu thụ đặc biệt
983 Execution Thực hiện
984 Executive Search Điều hành Tìm kiếm
985 Exemption Limit Giới hạn miễn
1327 Invoice Period From and Invoice Period To dates mandatory for recurring invoice Thời gian hóa đơn từ và hóa đơn Thời gian Để ngày bắt buộc đối với hóa đơn định kỳ
1328 Invoice Period To Hóa đơn Thời gian để
1329 Invoice Type Loại hóa đơn
1330 Invoice/Journal Voucher Details Invoice/Journal Entry Details Hóa đơn / Tạp chí Chứng từ chi tiết
1331 Invoiced Amount (Exculsive Tax) Số tiền ghi trên hóa đơn (thuế Exculsive)
1332 Is Active Là hoạt động
1333 Is Advance Là Trước
1457 Jobs Email Settings Thiết lập việc làm Email
1458 Journal Entries Tạp chí Entries
1459 Journal Entry Tạp chí nhập
1460 Journal Voucher Journal Entry Tạp chí Voucher
1461 Journal Entry Account Tạp chí Chứng từ chi tiết
1462 Journal Entry Account No Tạp chí Chứng từ chi tiết Không
1463 Journal Voucher {0} does not have account {1} or already matched Journal Entry {0} does not have account {1} or already matched Tạp chí Chứng từ {0} không có tài khoản {1} hoặc đã khớp
1464 Journal Vouchers {0} are un-linked Journal Entries {0} are un-linked Tạp chí Chứng từ {0} được bỏ liên kết
1465 Keep a track of communication related to this enquiry which will help for future reference. Giữ một ca khúc của truyền thông liên quan đến cuộc điều tra này sẽ giúp cho tài liệu tham khảo trong tương lai.
1466 Keep it web friendly 900px (w) by 100px (h) Giữ cho nó thân thiện với web 900px (w) bởi 100px (h)
1467 Key Performance Area Hiệu suất chủ chốt trong khu vực
1576 Major/Optional Subjects Chính / Đối tượng bắt buộc
1577 Make Make
1578 Make Accounting Entry For Every Stock Movement Làm kế toán nhập Đối với tất cả phong trào Cổ
1579 Make Bank Voucher Make Bank Entry Làm cho Ngân hàng Phiếu
1580 Make Credit Note Làm cho tín dụng Ghi chú
1581 Make Debit Note Làm báo nợ
1582 Make Delivery Làm cho giao hàng
3096 Update Series Number Cập nhật Dòng Số
3097 Update Stock Cập nhật chứng khoán
3098 Update bank payment dates with journals. Cập nhật ngày thanh toán ngân hàng với các tạp chí.
3099 Update clearance date of Journal Entries marked as 'Bank Vouchers' Update clearance date of Journal Entries marked as 'Bank Entry' Ngày giải phóng mặt bằng bản cập nhật của Tạp chí Entries đánh dấu là 'Ngân hàng Chứng từ'
3100 Updated Xin vui lòng viết một cái gì đó
3101 Updated Birthday Reminders Cập nhật mừng sinh nhật Nhắc nhở
3102 Upload Attendance Tải lên tham dự
3234 Write Off Based On Viết Tắt Dựa trên
3235 Write Off Cost Center Viết Tắt Trung tâm Chi phí
3236 Write Off Outstanding Amount Viết Tắt Số tiền nổi bật
3237 Write Off Voucher Write Off Entry Viết Tắt Voucher
3238 Wrong Template: Unable to find head row. Sai mẫu: Không thể tìm thấy hàng đầu.
3239 Year Năm
3240 Year Closed Đóng cửa năm
3252 You can enter the minimum quantity of this item to be ordered. Bạn có thể nhập số lượng tối thiểu của mặt hàng này được đặt hàng.
3253 You can not change rate if BOM mentioned agianst any item Bạn không thể thay đổi tỷ lệ nếu HĐQT đã đề cập agianst bất kỳ mục nào
3254 You can not enter both Delivery Note No and Sales Invoice No. Please enter any one. Bạn không thể gõ cả hai Giao hàng tận nơi Lưu ý Không có hóa đơn bán hàng và số Vui lòng nhập bất kỳ một.
3255 You can not enter current voucher in 'Against Journal Voucher' column You can not enter current voucher in 'Against Journal Entry' column Bạn không thể nhập chứng từ hiện tại 'chống Tạp chí Voucher' cột
3256 You can set Default Bank Account in Company master Bạn có thể thiết lập Mặc định tài khoản ngân hàng của Công ty chủ
3257 You can start by selecting backup frequency and granting access for sync Bạn có thể bắt đầu bằng cách chọn tần số sao lưu và cấp quyền truy cập cho đồng bộ
3258 You can submit this Stock Reconciliation. Bạn có thể gửi hòa giải chứng khoán này.

View File

@ -178,8 +178,8 @@ Against Document Detail No,对文件详细说明暂无
Against Document No,对文件无
Against Expense Account,对费用帐户
Against Income Account,对收入账户
Against Journal Voucher,对日记帐凭证
Against Journal Voucher {0} does not have any unmatched {1} entry,对日记帐凭证{0}没有任何无可比拟{1}项目
Against Journal Entry,对日记帐凭证
Against Journal Entry {0} does not have any unmatched {1} entry,对日记帐凭证{0}没有任何无可比拟{1}项目
Against Purchase Invoice,对采购发票
Against Sales Invoice,对销售发票
Against Sales Order,对销售订单
@ -361,7 +361,7 @@ Bank Overdraft Account,银行透支户口
Bank Reconciliation,银行对帐
Bank Reconciliation Detail,银行对帐详细
Bank Reconciliation Statement,银行对帐表
Bank Voucher,银行券
Bank Entry,银行券
Bank/Cash Balance,银行/现金结余
Banking,银行业
Barcode,条码
@ -496,7 +496,7 @@ Case No(s) already in use. Try from Case No {0},案例编号已在使用中( S
Case No. cannot be 0,案号不能为0
Cash,现金
Cash In Hand,手头现金
Cash Voucher,现金券
Cash Entry,现金券
Cash or Bank Account is mandatory for making payment entry,现金或银行帐户是强制性的付款项
Cash/Bank Account,现金/银行账户
Casual Leave,事假
@ -620,7 +620,7 @@ Contact master.,联系站长。
Contacts,往来
Content,内容
Content Type,内容类型
Contra Voucher,魂斗罗券
Contra Entry,魂斗罗券
Contract,合同
Contract End Date,合同结束日期
Contract End Date must be greater than Date of Joining,合同结束日期必须大于加入的日期
@ -651,7 +651,7 @@ Country,国家
Country Name,国家名称
Country wise default Address Templates,国家明智的默认地址模板
"Country, Timezone and Currency",国家,时区和货币
Create Bank Voucher for the total salary paid for the above selected criteria,创建银行券为支付上述选择的标准工资总额
Create Bank Entry for the total salary paid for the above selected criteria,创建银行券为支付上述选择的标准工资总额
Create Customer,创建客户
Create Material Requests,创建材料要求
Create New,创建新
@ -673,7 +673,7 @@ Credentials,证书
Credit,信用
Credit Amt,信用额
Credit Card,信用卡
Credit Card Voucher,信用卡券
Credit Card Entry,信用卡券
Credit Controller,信用控制器
Credit Days,信贷天
Credit Limit,信用额度
@ -1009,7 +1009,7 @@ Excise Duty @ 8,消费税@ 8
Excise Duty Edu Cess 2,消费税埃杜塞斯2
Excise Duty SHE Cess 1,消费税佘塞斯1
Excise Page Number,消费页码
Excise Voucher,消费券
Excise Entry,消费券
Execution,执行
Executive Search,猎头
Exemption Limit,免税限额
@ -1357,7 +1357,7 @@ Invoice Period From,发票的日期从
Invoice Period From and Invoice Period To dates mandatory for recurring invoice,发票期间由发票日期为日期必须在经常性发票
Invoice Period To,发票的日期要
Invoice Type,发票类型
Invoice/Journal Voucher Details,发票/日记帐凭证详细信息
Invoice/Journal Entry Details,发票/日记帐凭证详细信息
Invoiced Amount (Exculsive Tax),发票金额Exculsive税
Is Active,为活跃
Is Advance,为进
@ -1489,11 +1489,11 @@ Job Title,职位
Jobs Email Settings,乔布斯邮件设置
Journal Entries,日记帐分录
Journal Entry,日记帐分录
Journal Voucher,期刊券
Journal Entry,期刊券
Journal Entry Account,日记帐凭证详细信息
Journal Entry Account No,日记帐凭证详细说明暂无
Journal Voucher {0} does not have account {1} or already matched,记账凭单{0}没有帐号{1}或已经匹配
Journal Vouchers {0} are un-linked,日记帐凭单{0}被取消链接
Journal Entry {0} does not have account {1} or already matched,记账凭单{0}没有帐号{1}或已经匹配
Journal Entries {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),保持它的Web友好900px x 100像素
Key Performance Area,关键绩效区
@ -1608,7 +1608,7 @@ Maintenance start date can not be before delivery date for Serial No {0},维护
Major/Optional Subjects,大/选修课
Make ,使
Make Accounting Entry For Every Stock Movement,做会计分录为每股份转移
Make Bank Voucher,使银行券
Make Bank Entry,使银行券
Make Credit Note,使信贷注
Make Debit Note,让缴费单
Make Delivery,使交货
@ -3144,7 +3144,7 @@ Update Series,更新系列
Update Series Number,更新序列号
Update Stock,库存更新
Update bank payment dates with journals.,更新与期刊银行付款日期。
Update clearance date of Journal Entries marked as 'Bank Vouchers',你不能同时输入送货单号及销售发票编号请输入任何一个。
Update clearance date of Journal Entries marked as 'Bank Entry',你不能同时输入送货单号及销售发票编号请输入任何一个。
Updated,更新
Updated Birthday Reminders,更新生日提醒
Upload Attendance,上传出席
@ -3282,7 +3282,7 @@ Write Off Amount <=,核销金额&lt;=
Write Off Based On,核销的基础上
Write Off Cost Center,冲销成本中心
Write Off Outstanding Amount,核销额(亿元)
Write Off Voucher,核销券
Write Off Entry,核销券
Wrong Template: Unable to find head row.,错误的模板:找不到头排。
Year,
Year Closed,年度关闭
@ -3300,7 +3300,7 @@ You can enter any date manually,您可以手动输入任何日期
You can enter the minimum quantity of this item to be ordered.,您可以输入资料到订购的最小数量。
You can not change rate if BOM mentioned agianst any item,你不能改变速度如果BOM中提到反对的任何项目
You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,请输入仓库的材料要求将提高
You can not enter current voucher in 'Against Journal Voucher' column,“反对日记帐凭证”列中您不能输入电流券
You can not enter current voucher in 'Against Journal Entry' column,“反对日记帐凭证”列中您不能输入电流券
You can set Default Bank Account in Company master,您可以在公司主设置默认银行账户
You can start by selecting backup frequency and granting access for sync,您可以通过选择备份的频率和授权访问的同步启动
You can submit this Stock Reconciliation.,您可以提交该股票对账。

1 (Half Day) (半天)
178 All Lead (Open) 所有铅(开放)
179 All Products or Services. 所有的产品或服务。
180 All Sales Partner Contact 所有的销售合作伙伴联系
181 All Sales Person 所有的销售人员
182 All Supplier Contact 所有供应商联系
183 All Supplier Types 所有供应商类型
184 All Territories 所有的领土
185 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. 在送货单, POS机,报价单,销售发票,销售订单等可像货币,转换率,进出口总额,出口总计等所有出口相关领域
361 Bill No {0} already booked in Purchase Invoice {1} 比尔否{0}已经在采购发票入账{1}
362 Bill of Material 物料清单
363 Bill of Material to be considered for manufacturing 物料清单被视为制造
364 Bill of Materials (BOM) 材料清单(BOM)
365 Billable 计费
366 Billed 计费
367 Billed Amount 账单金额
496 Check to make Shipping Address 检查并送货地址
497 Check to make primary address 检查以主地址
498 Chemical 化学药品
499 Cheque 支票
500 Cheque Date 支票日期
501 Cheque Number 支票号码
502 Child account exists for this account. You can not delete this account. 存在此帐户子帐户。您无法删除此帐户。
620 Cost Center with existing transactions can not be converted to ledger 与现有的交易成本中心,不能转换为总账
621 Cost Center {0} does not belong to Company {1} 成本中心{0}不属于公司{1}
622 Cost of Goods Sold 销货成本
623 Costing 成本核算
624 Country 国家
625 Country Name 国家名称
626 Country wise default Address Templates 国家明智的默认地址模板
651 Credit Controller 信用控制器
652 Credit Days 信贷天
653 Credit Limit 信用额度
654 Credit Note 信用票据
655 Credit To 信贷
656 Currency 货币
657 Currency Exchange 外币兑换
673 Custom Autoreply Message 自定义自动回复消息
674 Custom Message 自定义消息
675 Customer 顾客
676 Customer (Receivable) Account 客户(应收)帐
677 Customer / Item Name 客户/项目名称
678 Customer / Lead Address 客户/铅地址
679 Customer / Lead Name 客户/铅名称
1009 Expense Claim Type 费用报销型
1010 Expense Claim has been approved.
1011 Expense Claim has been rejected. 不存在
1012 Expense Claim is pending approval. Only the Expense Approver can update status. 使项目所需的质量保证和质量保证在没有采购入库单
1013 Expense Date 牺牲日期
1014 Expense Details 费用详情
1015 Expense Head 总支出
1357 Item Advanced 项目高级
1358 Item Barcode 商品条码
1359 Item Batch Nos 项目批NOS
1360 Item Code 产品编号
1361 Item Code > Item Group > Brand 产品编号>项目组>品牌
1362 Item Code and Warehouse should already exist. 产品编号和仓库应该已经存在。
1363 Item Code cannot be changed for Serial No. 产品编号不能为序列号改变
1489 Lead Status 铅状态
1490 Lead Time Date 交货时间日期
1491 Lead Time Days 交货期天
1492 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. 交货期天是天由该项目预计将在您的仓库的数量。这天是在申请材料中取出,当你选择这个项目。
1493 Lead Type 引线型
1494 Lead must be set if Opportunity is made from Lead 如果机会是由铅制成铅必须设置
1495 Leave Allocation 离开分配
1496 Leave Allocation Tool 离开配置工具
1497 Leave Application 离开应用
1498 Leave Approver 离开审批
1499 Leave Approvers 离开审批
1608 Management 管理
1609 Manager 经理
1610 Mandatory if Stock Item is "Yes". Also the default warehouse where reserved quantity is set from Sales Order. 如果股票的强制性项目为“是”。也是默认仓库,保留数量从销售订单设置。
1611 Manufacture against Sales Order 对制造销售订单
1612 Manufacture/Repack 制造/重新包装
1613 Manufactured Qty 生产数量
1614 Manufactured quantity will be updated in this warehouse 生产量将在这个仓库进行更新
3144 Vehicle Dispatch Date 车辆调度日期
3145 Vehicle No 车辆无
3146 Venture Capital 创业投资
3147 Verified By 认证机构
3148 View Ledger 查看总帐
3149 View Now 立即观看
3150 Visit report for maintenance call. 访问报告维修电话。
3282 cannot be greater than 100 不能大于100
3283 e.g. "Build tools for builders" 例如「建设建设者工具“
3284 e.g. "MC" 例如“MC”
3285 e.g. "My Company LLC" 例如“我的公司有限责任公司”
3286 e.g. 5 例如5
3287 e.g. Bank, Cash, Credit Card 例如:银行,现金,信用卡
3288 e.g. Kg, Unit, Nos, m 如公斤,单位,NOS,M
3300 {0} Serial Numbers required for Item {0}. Only {0} provided. {0}所需的物品序列号{0} 。只有{0}提供。
3301 {0} budget for Account {1} against Cost Center {2} will exceed by {3} {0}预算帐户{1}对成本中心{2}将超过{3}
3302 {0} can not be negative {0}不能为负
3303 {0} created {0}创建
3304 {0} does not belong to Company {1} {0}不属于公司{1}
3305 {0} entered twice in Item Tax {0}输入两次项税
3306 {0} is an invalid email address in 'Notification Email Address' {0}是在“通知电子邮件地址”无效的电子邮件地址

View File

@ -178,8 +178,8 @@ Against Document Detail No,對文件詳細說明暫無
Against Document No,對文件無
Against Expense Account,對費用帳戶
Against Income Account,對收入賬戶
Against Journal Voucher,對日記帳憑證
Against Journal Voucher {0} does not have any unmatched {1} entry,對日記帳憑證{0}沒有任何無可比擬{1}項目
Against Journal Entry,對日記帳憑證
Against Journal Entry {0} does not have any unmatched {1} entry,對日記帳憑證{0}沒有任何無可比擬{1}項目
Against Purchase Invoice,對採購發票
Against Sales Invoice,對銷售發票
Against Sales Order,對銷售訂單
@ -361,7 +361,7 @@ Bank Overdraft Account,銀行透支戶口
Bank Reconciliation,銀行對帳
Bank Reconciliation Detail,銀行對帳詳細
Bank Reconciliation Statement,銀行對帳表
Bank Voucher,銀行券
Bank Entry,銀行券
Bank/Cash Balance,銀行/現金結餘
Banking,銀行業
Barcode,條碼
@ -496,7 +496,7 @@ Case No(s) already in use. Try from Case No {0},案例編號已在使用中( S
Case No. cannot be 0,案號不能為0
Cash,現金
Cash In Hand,手頭現金
Cash Voucher,現金券
Cash Entry,現金券
Cash or Bank Account is mandatory for making payment entry,現金或銀行帳戶是強制性的付款項
Cash/Bank Account,現金/銀行賬戶
Casual Leave,事假
@ -620,7 +620,7 @@ Contact master.,聯繫站長。
Contacts,往來
Content,內容
Content Type,內容類型
Contra Voucher,魂斗羅券
Contra Entry,魂斗羅券
Contract,合同
Contract End Date,合同結束日期
Contract End Date must be greater than Date of Joining,合同結束日期必須大於加入的日期
@ -651,7 +651,7 @@ Country,國家
Country Name,國家名稱
Country wise default Address Templates,國家明智的默認地址模板
"Country, Timezone and Currency",國家,時區和貨幣
Create Bank Voucher for the total salary paid for the above selected criteria,創建銀行券為支付上述選擇的標準工資總額
Create Bank Entry for the total salary paid for the above selected criteria,創建銀行券為支付上述選擇的標準工資總額
Create Customer,創建客戶
Create Material Requests,創建材料要求
Create New,創建新
@ -673,7 +673,7 @@ Credentials,證書
Credit,信用
Credit Amt,信用額
Credit Card,信用卡
Credit Card Voucher,信用卡券
Credit Card Entry,信用卡券
Credit Controller,信用控制器
Credit Days,信貸天
Credit Limit,信用額度
@ -1009,7 +1009,7 @@ Excise Duty @ 8,消費稅@ 8
Excise Duty Edu Cess 2,消費稅埃杜塞斯2
Excise Duty SHE Cess 1,消費稅佘塞斯1
Excise Page Number,消費頁碼
Excise Voucher,消費券
Excise Entry,消費券
Execution,執行
Executive Search,獵頭
Exemption Limit,免稅限額
@ -1357,7 +1357,7 @@ Invoice Period From,發票的日期從
Invoice Period From and Invoice Period To dates mandatory for recurring invoice,發票期間由發票日期為日期必須在經常性發票
Invoice Period To,發票的日期要
Invoice Type,發票類型
Invoice/Journal Voucher Details,發票/日記帳憑證詳細信息
Invoice/Journal Entry Details,發票/日記帳憑證詳細信息
Invoiced Amount (Exculsive Tax),發票金額Exculsive稅
Is Active,為活躍
Is Advance,為進
@ -1489,11 +1489,11 @@ Job Title,職位
Jobs Email Settings,喬布斯郵件設置
Journal Entries,日記帳分錄
Journal Entry,日記帳分錄
Journal Voucher,期刊券
Journal Entry,期刊券
Journal Entry Account,日記帳憑證詳細信息
Journal Entry Account No,日記帳憑證詳細說明暫無
Journal Voucher {0} does not have account {1} or already matched,記賬憑單{0}沒有帳號{1}或已經匹配
Journal Vouchers {0} are un-linked,日記帳憑單{0}被取消鏈接
Journal Entry {0} does not have account {1} or already matched,記賬憑單{0}沒有帳號{1}或已經匹配
Journal Entries {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),保持它的Web友好900px x 100像素
Key Performance Area,關鍵績效區
@ -1608,7 +1608,7 @@ Maintenance start date can not be before delivery date for Serial No {0},維護
Major/Optional Subjects,大/選修課
Make ,使
Make Accounting Entry For Every Stock Movement,做會計分錄為每股份轉移
Make Bank Voucher,使銀行券
Make Bank Entry,使銀行券
Make Credit Note,使信貸注
Make Debit Note,讓繳費單
Make Delivery,使交貨
@ -3144,7 +3144,7 @@ Update Series,更新系列
Update Series Number,更新序列號
Update Stock,庫存更新
Update bank payment dates with journals.,更新與期刊銀行付款日期。
Update clearance date of Journal Entries marked as 'Bank Vouchers',你不能同時輸入送貨單號及銷售發票編號請輸入任何一個。
Update clearance date of Journal Entries marked as 'Bank Entry',你不能同時輸入送貨單號及銷售發票編號請輸入任何一個。
Updated,更新
Updated Birthday Reminders,更新生日提醒
Upload Attendance,上傳出席
@ -3282,7 +3282,7 @@ Write Off Amount <=,核銷金額&lt;=
Write Off Based On,核銷的基礎上
Write Off Cost Center,沖銷成本中心
Write Off Outstanding Amount,核銷額(億元)
Write Off Voucher,核銷券
Write Off Entry,核銷券
Wrong Template: Unable to find head row.,錯誤的模板:找不到頭排。
Year,
Year Closed,年度關閉
@ -3300,7 +3300,7 @@ You can enter any date manually,您可以手動輸入任何日期
You can enter the minimum quantity of this item to be ordered.,您可以輸入資料到訂購的最小數量。
You can not change rate if BOM mentioned agianst any item,你不能改變速度如果BOM中提到反對的任何項目
You can not enter both Delivery Note No and Sales Invoice No. Please enter any one.,請輸入倉庫的材料要求將提高
You can not enter current voucher in 'Against Journal Voucher' column,“反對日記帳憑證”列中您不能輸入電流券
You can not enter current voucher in 'Against Journal Entry' column,“反對日記帳憑證”列中您不能輸入電流券
You can set Default Bank Account in Company master,您可以在公司主設置默認銀行賬戶
You can start by selecting backup frequency and granting access for sync,您可以通過選擇備份的頻率和授權訪問的同步啟動
You can submit this Stock Reconciliation.,您可以提交該股票對賬。

1 (Half Day) (半天)
178 All Lead (Open) 所有鉛(開放)
179 All Products or Services. 所有的產品或服務。
180 All Sales Partner Contact 所有的銷售合作夥伴聯繫
181 All Sales Person 所有的銷售人員
182 All Supplier Contact 所有供應商聯繫
183 All Supplier Types 所有供應商類型
184 All Territories 所有的領土
185 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. 在送貨單, POS機,報價單,銷售發票,銷售訂單等可像貨幣,轉換率,進出口總額,出口總計等所有出口相關領域
361 Bill No {0} already booked in Purchase Invoice {1} 比爾否{0}已經在採購發票入賬{1}
362 Bill of Material 物料清單
363 Bill of Material to be considered for manufacturing 物料清單被視為製造
364 Bill of Materials (BOM) 材料清單(BOM)
365 Billable 計費
366 Billed 計費
367 Billed Amount 賬單金額
496 Check to make Shipping Address 檢查並送貨地址
497 Check to make primary address 檢查以主地址
498 Chemical 化學藥品
499 Cheque 支票
500 Cheque Date 支票日期
501 Cheque Number 支票號碼
502 Child account exists for this account. You can not delete this account. 存在此帳戶子帳戶。您無法刪除此帳戶。
620 Cost Center with existing transactions can not be converted to ledger 與現有的交易成本中心,不能轉換為總賬
621 Cost Center {0} does not belong to Company {1} 成本中心{0}不屬於公司{1}
622 Cost of Goods Sold 銷貨成本
623 Costing 成本核算
624 Country 國家
625 Country Name 國家名稱
626 Country wise default Address Templates 國家明智的默認地址模板
651 Credit Controller 信用控制器
652 Credit Days 信貸天
653 Credit Limit 信用額度
654 Credit Note 信用票據
655 Credit To 信貸
656 Currency 貨幣
657 Currency Exchange 外幣兌換
673 Custom Autoreply Message 自定義自動回复消息
674 Custom Message 自定義消息
675 Customer 顧客
676 Customer (Receivable) Account 客戶(應收)帳
677 Customer / Item Name 客戶/項目名稱
678 Customer / Lead Address 客戶/鉛地址
679 Customer / Lead Name 客戶/鉛名稱
1009 Expense Claim Type 費用報銷型
1010 Expense Claim has been approved.
1011 Expense Claim has been rejected. 不存在
1012 Expense Claim is pending approval. Only the Expense Approver can update status. 使項目所需的質量保證和質量保證在沒有採購入庫單
1013 Expense Date 犧牲日期
1014 Expense Details 費用詳情
1015 Expense Head 總支出
1357 Item Advanced 項目高級
1358 Item Barcode 商品條碼
1359 Item Batch Nos 項目批NOS
1360 Item Code 產品編號
1361 Item Code > Item Group > Brand 產品編號>項目組>品牌
1362 Item Code and Warehouse should already exist. 產品編號和倉庫應該已經存在。
1363 Item Code cannot be changed for Serial No. 產品編號不能為序列號改變
1489 Lead Status 鉛狀態
1490 Lead Time Date 交貨時間日期
1491 Lead Time Days 交貨期天
1492 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. 交貨期天是天由該項目預計將在您的倉庫的數量。這天是在申請材料中取出,當你選擇這個項目。
1493 Lead Type 引線型
1494 Lead must be set if Opportunity is made from Lead 如果機會是由鉛製成鉛必須設置
1495 Leave Allocation 離開分配
1496 Leave Allocation Tool 離開配置工具
1497 Leave Application 離開應用
1498 Leave Approver 離開審批
1499 Leave Approvers 離開審批
1608 Management 管理
1609 Manager 經理
1610 Mandatory if Stock Item is "Yes". Also the default warehouse where reserved quantity is set from Sales Order. 如果股票的強制性項目為“是”。也是默認倉庫,保留數量從銷售訂單設置。
1611 Manufacture against Sales Order 對製造銷售訂單
1612 Manufacture/Repack 製造/重新包裝
1613 Manufactured Qty 生產數量
1614 Manufactured quantity will be updated in this warehouse 生產量將在這個倉庫進行更新
3144 Vehicle Dispatch Date 車輛調度日期
3145 Vehicle No 車輛無
3146 Venture Capital 創業投資
3147 Verified By 認證機構
3148 View Ledger 查看總帳
3149 View Now 立即觀看
3150 Visit report for maintenance call. 訪問報告維修電話。
3282 cannot be greater than 100 不能大於100
3283 e.g. "Build tools for builders" 例如「建設建設者工具“
3284 e.g. "MC" 例如“MC”
3285 e.g. "My Company LLC" 例如“我的公司有限責任公司”
3286 e.g. 5 例如5
3287 e.g. Bank, Cash, Credit Card 例如:銀行,現金,信用卡
3288 e.g. Kg, Unit, Nos, m 如公斤,單位,NOS,M
3300 {0} Serial Numbers required for Item {0}. Only {0} provided. {0}所需的物品序列號{0} 。只有{0}提供。
3301 {0} budget for Account {1} against Cost Center {2} will exceed by {3} {0}預算帳戶{1}對成本中心{2}將超過{3}
3302 {0} can not be negative {0}不能為負
3303 {0} created {0}創建
3304 {0} does not belong to Company {1} {0}不屬於公司{1}
3305 {0} entered twice in Item Tax {0}輸入兩次項稅
3306 {0} is an invalid email address in 'Notification Email Address' {0}是在“通知電子郵件地址”無效的電子郵件地址