Merge branch 'develop' into UAE-VAT-Format
This commit is contained in:
commit
75ccb62d46
48
.github/helper/documentation.py
vendored
Normal file
48
.github/helper/documentation.py
vendored
Normal file
@ -0,0 +1,48 @@
|
||||
import sys
|
||||
import requests
|
||||
from urllib.parse import urlparse
|
||||
|
||||
|
||||
docs_repos = [
|
||||
"frappe_docs",
|
||||
"erpnext_documentation",
|
||||
"erpnext_com",
|
||||
"frappe_io",
|
||||
]
|
||||
|
||||
|
||||
def uri_validator(x):
|
||||
result = urlparse(x)
|
||||
return all([result.scheme, result.netloc, result.path])
|
||||
|
||||
def docs_link_exists(body):
|
||||
for line in body.splitlines():
|
||||
for word in line.split():
|
||||
if word.startswith('http') and uri_validator(word):
|
||||
parsed_url = urlparse(word)
|
||||
if parsed_url.netloc == "github.com":
|
||||
_, org, repo, _type, ref = parsed_url.path.split('/')
|
||||
if org == "frappe" and repo in docs_repos:
|
||||
return True
|
||||
|
||||
|
||||
if __name__ == "__main__":
|
||||
pr = sys.argv[1]
|
||||
response = requests.get("https://api.github.com/repos/frappe/erpnext/pulls/{}".format(pr))
|
||||
|
||||
if response.ok:
|
||||
payload = response.json()
|
||||
title = payload.get("title", "").lower()
|
||||
head_sha = payload.get("head", {}).get("sha")
|
||||
body = payload.get("body", "").lower()
|
||||
|
||||
if title.startswith("feat") and head_sha and "no-docs" not in body:
|
||||
if docs_link_exists(body):
|
||||
print("Documentation Link Found. You're Awesome! 🎉")
|
||||
|
||||
else:
|
||||
print("Documentation Link Not Found! ⚠️")
|
||||
sys.exit(1)
|
||||
|
||||
else:
|
||||
print("Skipping documentation checks... 🏃")
|
60
.github/helper/translation.py
vendored
Normal file
60
.github/helper/translation.py
vendored
Normal file
@ -0,0 +1,60 @@
|
||||
import re
|
||||
import sys
|
||||
|
||||
errors_encounter = 0
|
||||
pattern = re.compile(r"_\(([\"']{,3})(?P<message>((?!\1).)*)\1(\s*,\s*context\s*=\s*([\"'])(?P<py_context>((?!\5).)*)\5)*(\s*,\s*(.)*?\s*(,\s*([\"'])(?P<js_context>((?!\11).)*)\11)*)*\)")
|
||||
words_pattern = re.compile(r"_{1,2}\([\"'`]{1,3}.*?[a-zA-Z]")
|
||||
start_pattern = re.compile(r"_{1,2}\([f\"'`]{1,3}")
|
||||
f_string_pattern = re.compile(r"_\(f[\"']")
|
||||
starts_with_f_pattern = re.compile(r"_\(f")
|
||||
|
||||
# skip first argument
|
||||
files = sys.argv[1:]
|
||||
files_to_scan = [_file for _file in files if _file.endswith(('.py', '.js'))]
|
||||
|
||||
for _file in files_to_scan:
|
||||
with open(_file, 'r') as f:
|
||||
print(f'Checking: {_file}')
|
||||
file_lines = f.readlines()
|
||||
for line_number, line in enumerate(file_lines, 1):
|
||||
if 'frappe-lint: disable-translate' in line:
|
||||
continue
|
||||
|
||||
start_matches = start_pattern.search(line)
|
||||
if start_matches:
|
||||
starts_with_f = starts_with_f_pattern.search(line)
|
||||
|
||||
if starts_with_f:
|
||||
has_f_string = f_string_pattern.search(line)
|
||||
if has_f_string:
|
||||
errors_encounter += 1
|
||||
print(f'\nF-strings are not supported for translations at line number {line_number + 1}\n{line.strip()[:100]}')
|
||||
continue
|
||||
else:
|
||||
continue
|
||||
|
||||
match = pattern.search(line)
|
||||
error_found = False
|
||||
|
||||
if not match and line.endswith(',\n'):
|
||||
# concat remaining text to validate multiline pattern
|
||||
line = "".join(file_lines[line_number - 1:])
|
||||
line = line[start_matches.start() + 1:]
|
||||
match = pattern.match(line)
|
||||
|
||||
if not match:
|
||||
error_found = True
|
||||
print(f'\nTranslation syntax error at line number {line_number + 1}\n{line.strip()[:100]}')
|
||||
|
||||
if not error_found and not words_pattern.search(line):
|
||||
error_found = True
|
||||
print(f'\nTranslation is useless because it has no words at line number {line_number + 1}\n{line.strip()[:100]}')
|
||||
|
||||
if error_found:
|
||||
errors_encounter += 1
|
||||
|
||||
if errors_encounter > 0:
|
||||
print('\nVisit "https://frappeframework.com/docs/user/en/translations" to learn about valid translation strings.')
|
||||
sys.exit(1)
|
||||
else:
|
||||
print('\nGood To Go!')
|
24
.github/workflows/docs-checker.yml
vendored
Normal file
24
.github/workflows/docs-checker.yml
vendored
Normal file
@ -0,0 +1,24 @@
|
||||
name: 'Documentation Required'
|
||||
on:
|
||||
pull_request:
|
||||
types: [ opened, synchronize, reopened, edited ]
|
||||
|
||||
jobs:
|
||||
build:
|
||||
runs-on: ubuntu-latest
|
||||
|
||||
steps:
|
||||
- name: 'Setup Environment'
|
||||
uses: actions/setup-python@v2
|
||||
with:
|
||||
python-version: 3.6
|
||||
|
||||
- name: 'Clone repo'
|
||||
uses: actions/checkout@v2
|
||||
|
||||
- name: Validate Docs
|
||||
env:
|
||||
PR_NUMBER: ${{ github.event.number }}
|
||||
run: |
|
||||
pip install requests --quiet
|
||||
python $GITHUB_WORKSPACE/.github/helper/documentation.py $PR_NUMBER
|
22
.github/workflows/translation_linter.yml
vendored
Normal file
22
.github/workflows/translation_linter.yml
vendored
Normal file
@ -0,0 +1,22 @@
|
||||
name: Frappe Linter
|
||||
on:
|
||||
pull_request:
|
||||
branches:
|
||||
- develop
|
||||
- version-12-hotfix
|
||||
- version-11-hotfix
|
||||
jobs:
|
||||
check_translation:
|
||||
name: Translation Syntax Check
|
||||
runs-on: ubuntu-18.04
|
||||
steps:
|
||||
- uses: actions/checkout@v2
|
||||
- name: Setup python3
|
||||
uses: actions/setup-python@v1
|
||||
with:
|
||||
python-version: 3.6
|
||||
- name: Validating Translation Syntax
|
||||
run: |
|
||||
git fetch origin $GITHUB_BASE_REF:$GITHUB_BASE_REF -q
|
||||
files=$(git diff --name-only --diff-filter=d $GITHUB_BASE_REF)
|
||||
python $GITHUB_WORKSPACE/.github/helper/translation.py $files
|
@ -1,58 +1,126 @@
|
||||
{
|
||||
"custom_fields": [
|
||||
{
|
||||
"_assign": null,
|
||||
"_comments": null,
|
||||
"_liked_by": null,
|
||||
"_user_tags": null,
|
||||
"allow_on_submit": 0,
|
||||
"bold": 0,
|
||||
"collapsible": 0,
|
||||
"collapsible_depends_on": null,
|
||||
"columns": 0,
|
||||
"creation": "2018-12-28 22:29:21.828090",
|
||||
"default": null,
|
||||
"depends_on": null,
|
||||
"description": null,
|
||||
"docstatus": 0,
|
||||
"dt": "Address",
|
||||
"fetch_from": null,
|
||||
"fieldname": "tax_category",
|
||||
"fieldtype": "Link",
|
||||
"hidden": 0,
|
||||
"idx": 14,
|
||||
"ignore_user_permissions": 0,
|
||||
"ignore_xss_filter": 0,
|
||||
"in_global_search": 0,
|
||||
"in_list_view": 0,
|
||||
"in_standard_filter": 0,
|
||||
"insert_after": "fax",
|
||||
"label": "Tax Category",
|
||||
"modified": "2018-12-28 22:29:21.828090",
|
||||
"modified_by": "Administrator",
|
||||
"name": "Address-tax_category",
|
||||
"no_copy": 0,
|
||||
"options": "Tax Category",
|
||||
"owner": "Administrator",
|
||||
"parent": null,
|
||||
"parentfield": null,
|
||||
"parenttype": null,
|
||||
"permlevel": 0,
|
||||
"precision": "",
|
||||
"print_hide": 0,
|
||||
"print_hide_if_no_value": 0,
|
||||
"print_width": null,
|
||||
"read_only": 0,
|
||||
"report_hide": 0,
|
||||
"reqd": 0,
|
||||
"search_index": 0,
|
||||
"translatable": 0,
|
||||
"unique": 0,
|
||||
"_assign": null,
|
||||
"_comments": null,
|
||||
"_liked_by": null,
|
||||
"_user_tags": null,
|
||||
"allow_in_quick_entry": 0,
|
||||
"allow_on_submit": 0,
|
||||
"bold": 0,
|
||||
"collapsible": 0,
|
||||
"collapsible_depends_on": null,
|
||||
"columns": 0,
|
||||
"creation": "2018-12-28 22:29:21.828090",
|
||||
"default": null,
|
||||
"depends_on": null,
|
||||
"description": null,
|
||||
"docstatus": 0,
|
||||
"dt": "Address",
|
||||
"fetch_from": null,
|
||||
"fetch_if_empty": 0,
|
||||
"fieldname": "tax_category",
|
||||
"fieldtype": "Link",
|
||||
"hidden": 0,
|
||||
"hide_border": 0,
|
||||
"hide_days": 0,
|
||||
"hide_seconds": 0,
|
||||
"idx": 15,
|
||||
"ignore_user_permissions": 0,
|
||||
"ignore_xss_filter": 0,
|
||||
"in_global_search": 0,
|
||||
"in_list_view": 0,
|
||||
"in_preview": 0,
|
||||
"in_standard_filter": 0,
|
||||
"insert_after": "fax",
|
||||
"label": "Tax Category",
|
||||
"length": 0,
|
||||
"mandatory_depends_on": null,
|
||||
"modified": "2018-12-28 22:29:21.828090",
|
||||
"modified_by": "Administrator",
|
||||
"name": "Address-tax_category",
|
||||
"no_copy": 0,
|
||||
"options": "Tax Category",
|
||||
"owner": "Administrator",
|
||||
"parent": null,
|
||||
"parentfield": null,
|
||||
"parenttype": null,
|
||||
"permlevel": 0,
|
||||
"precision": "",
|
||||
"print_hide": 0,
|
||||
"print_hide_if_no_value": 0,
|
||||
"print_width": null,
|
||||
"read_only": 0,
|
||||
"read_only_depends_on": null,
|
||||
"report_hide": 0,
|
||||
"reqd": 0,
|
||||
"search_index": 0,
|
||||
"translatable": 0,
|
||||
"unique": 0,
|
||||
"width": null
|
||||
},
|
||||
{
|
||||
"_assign": null,
|
||||
"_comments": null,
|
||||
"_liked_by": null,
|
||||
"_user_tags": null,
|
||||
"allow_in_quick_entry": 0,
|
||||
"allow_on_submit": 0,
|
||||
"bold": 0,
|
||||
"collapsible": 0,
|
||||
"collapsible_depends_on": null,
|
||||
"columns": 0,
|
||||
"creation": "2020-10-14 17:41:40.878179",
|
||||
"default": "0",
|
||||
"depends_on": null,
|
||||
"description": null,
|
||||
"docstatus": 0,
|
||||
"dt": "Address",
|
||||
"fetch_from": null,
|
||||
"fetch_if_empty": 0,
|
||||
"fieldname": "is_your_company_address",
|
||||
"fieldtype": "Check",
|
||||
"hidden": 0,
|
||||
"hide_border": 0,
|
||||
"hide_days": 0,
|
||||
"hide_seconds": 0,
|
||||
"idx": 20,
|
||||
"ignore_user_permissions": 0,
|
||||
"ignore_xss_filter": 0,
|
||||
"in_global_search": 0,
|
||||
"in_list_view": 0,
|
||||
"in_preview": 0,
|
||||
"in_standard_filter": 0,
|
||||
"insert_after": "linked_with",
|
||||
"label": "Is Your Company Address",
|
||||
"length": 0,
|
||||
"mandatory_depends_on": null,
|
||||
"modified": "2020-10-14 17:41:40.878179",
|
||||
"modified_by": "Administrator",
|
||||
"name": "Address-is_your_company_address",
|
||||
"no_copy": 0,
|
||||
"options": null,
|
||||
"owner": "Administrator",
|
||||
"parent": null,
|
||||
"parentfield": null,
|
||||
"parenttype": null,
|
||||
"permlevel": 0,
|
||||
"precision": "",
|
||||
"print_hide": 0,
|
||||
"print_hide_if_no_value": 0,
|
||||
"print_width": null,
|
||||
"read_only": 0,
|
||||
"read_only_depends_on": null,
|
||||
"report_hide": 0,
|
||||
"reqd": 0,
|
||||
"search_index": 0,
|
||||
"translatable": 0,
|
||||
"unique": 0,
|
||||
"width": null
|
||||
}
|
||||
],
|
||||
"custom_perms": [],
|
||||
"doctype": "Address",
|
||||
"property_setters": [],
|
||||
],
|
||||
"custom_perms": [],
|
||||
"doctype": "Address",
|
||||
"property_setters": [],
|
||||
"sync_on_migrate": 1
|
||||
}
|
42
erpnext/accounts/custom/address.py
Normal file
42
erpnext/accounts/custom/address.py
Normal file
@ -0,0 +1,42 @@
|
||||
import frappe
|
||||
from frappe import _
|
||||
from frappe.contacts.doctype.address.address import Address
|
||||
from frappe.contacts.doctype.address.address import get_address_templates
|
||||
|
||||
class ERPNextAddress(Address):
|
||||
def validate(self):
|
||||
self.validate_reference()
|
||||
super(ERPNextAddress, self).validate()
|
||||
|
||||
def link_address(self):
|
||||
"""Link address based on owner"""
|
||||
if self.is_your_company_address:
|
||||
return
|
||||
|
||||
return super(ERPNextAddress, self).link_address()
|
||||
|
||||
def validate_reference(self):
|
||||
if self.is_your_company_address and not [
|
||||
row for row in self.links if row.link_doctype == "Company"
|
||||
]:
|
||||
frappe.throw(_("Address needs to be linked to a Company. Please add a row for Company in the Links table."),
|
||||
title=_("Company Not Linked"))
|
||||
|
||||
@frappe.whitelist()
|
||||
def get_shipping_address(company, address = None):
|
||||
filters = [
|
||||
["Dynamic Link", "link_doctype", "=", "Company"],
|
||||
["Dynamic Link", "link_name", "=", company],
|
||||
["Address", "is_your_company_address", "=", 1]
|
||||
]
|
||||
fields = ["*"]
|
||||
if address and frappe.db.get_value('Dynamic Link',
|
||||
{'parent': address, 'link_name': company}):
|
||||
filters.append(["Address", "name", "=", address])
|
||||
|
||||
address = frappe.get_all("Address", filters=filters, fields=fields) or {}
|
||||
|
||||
if address:
|
||||
address_as_dict = address[0]
|
||||
name, address_template = get_address_templates(address_as_dict)
|
||||
return address_as_dict.get("name"), frappe.render_template(address_template, address_as_dict)
|
@ -113,7 +113,7 @@
|
||||
"pin_to_top": 0,
|
||||
"shortcuts": [
|
||||
{
|
||||
"label": "Chart Of Accounts",
|
||||
"label": "Chart of Accounts",
|
||||
"link_to": "Account",
|
||||
"type": "DocType"
|
||||
},
|
||||
|
@ -2,7 +2,7 @@ frappe.provide("frappe.treeview_settings")
|
||||
|
||||
frappe.treeview_settings["Account"] = {
|
||||
breadcrumb: "Accounts",
|
||||
title: __("Chart Of Accounts"),
|
||||
title: __("Chart of Accounts"),
|
||||
get_tree_root: false,
|
||||
filters: [
|
||||
{
|
||||
@ -97,7 +97,7 @@ frappe.treeview_settings["Account"] = {
|
||||
treeview.page.add_inner_button(__("Journal Entry"), function() {
|
||||
frappe.new_doc('Journal Entry', {company: get_company()});
|
||||
}, __('Create'));
|
||||
treeview.page.add_inner_button(__("New Company"), function() {
|
||||
treeview.page.add_inner_button(__("Company"), function() {
|
||||
frappe.new_doc('Company');
|
||||
}, __('Create'));
|
||||
|
||||
|
@ -195,7 +195,7 @@ def build_response_as_excel(writer):
|
||||
reader = csv.reader(f)
|
||||
|
||||
from frappe.utils.xlsxutils import make_xlsx
|
||||
xlsx_file = make_xlsx(reader, "Chart Of Accounts Importer Template")
|
||||
xlsx_file = make_xlsx(reader, "Chart of Accounts Importer Template")
|
||||
|
||||
f.close()
|
||||
os.remove(filename)
|
||||
|
@ -210,7 +210,7 @@ erpnext.accounts.JournalEntry = frappe.ui.form.Controller.extend({
|
||||
$.each(this.frm.doc.accounts || [], function(i, jvd) {
|
||||
frappe.model.set_default_values(jvd);
|
||||
});
|
||||
var posting_date = this.frm.posting_date;
|
||||
var posting_date = this.frm.doc.posting_date;
|
||||
if(!this.frm.doc.amended_from) this.frm.set_value('posting_date', posting_date || frappe.datetime.get_today());
|
||||
}
|
||||
},
|
||||
|
@ -37,6 +37,11 @@ frappe.ui.form.on("Payment Reconciliation Payment", {
|
||||
erpnext.accounts.PaymentReconciliationController = frappe.ui.form.Controller.extend({
|
||||
onload: function() {
|
||||
var me = this;
|
||||
|
||||
this.frm.set_query("party", function() {
|
||||
check_mandatory(me.frm);
|
||||
});
|
||||
|
||||
this.frm.set_query("party_type", function() {
|
||||
return {
|
||||
"filters": {
|
||||
@ -46,37 +51,39 @@ erpnext.accounts.PaymentReconciliationController = frappe.ui.form.Controller.ext
|
||||
});
|
||||
|
||||
this.frm.set_query('receivable_payable_account', function() {
|
||||
if(!me.frm.doc.company || !me.frm.doc.party_type) {
|
||||
frappe.msgprint(__("Please select Company and Party Type first"));
|
||||
} else {
|
||||
return{
|
||||
filters: {
|
||||
"company": me.frm.doc.company,
|
||||
"is_group": 0,
|
||||
"account_type": frappe.boot.party_account_types[me.frm.doc.party_type]
|
||||
}
|
||||
};
|
||||
}
|
||||
|
||||
check_mandatory(me.frm);
|
||||
return {
|
||||
filters: {
|
||||
"company": me.frm.doc.company,
|
||||
"is_group": 0,
|
||||
"account_type": frappe.boot.party_account_types[me.frm.doc.party_type]
|
||||
}
|
||||
};
|
||||
});
|
||||
|
||||
this.frm.set_query('bank_cash_account', function() {
|
||||
if(!me.frm.doc.company) {
|
||||
frappe.msgprint(__("Please select Company first"));
|
||||
} else {
|
||||
return{
|
||||
filters:[
|
||||
['Account', 'company', '=', me.frm.doc.company],
|
||||
['Account', 'is_group', '=', 0],
|
||||
['Account', 'account_type', 'in', ['Bank', 'Cash']]
|
||||
]
|
||||
};
|
||||
}
|
||||
check_mandatory(me.frm, true);
|
||||
return {
|
||||
filters:[
|
||||
['Account', 'company', '=', me.frm.doc.company],
|
||||
['Account', 'is_group', '=', 0],
|
||||
['Account', 'account_type', 'in', ['Bank', 'Cash']]
|
||||
]
|
||||
};
|
||||
});
|
||||
|
||||
this.frm.set_value('party_type', '');
|
||||
this.frm.set_value('party', '');
|
||||
this.frm.set_value('receivable_payable_account', '');
|
||||
|
||||
var check_mandatory = (frm, only_company=false) => {
|
||||
var title = __("Mandatory");
|
||||
if (only_company && !frm.doc.company) {
|
||||
frappe.throw({message: __("Please Select a Company First"), title: title});
|
||||
} else if (!frm.doc.company || !frm.doc.party_type) {
|
||||
frappe.throw({message: __("Please Select Both Company and Party Type First"), title: title});
|
||||
}
|
||||
};
|
||||
},
|
||||
|
||||
refresh: function() {
|
||||
@ -90,7 +97,7 @@ erpnext.accounts.PaymentReconciliationController = frappe.ui.form.Controller.ext
|
||||
|
||||
party: function() {
|
||||
var me = this
|
||||
if(!me.frm.doc.receivable_payable_account && me.frm.doc.party_type && me.frm.doc.party) {
|
||||
if (!me.frm.doc.receivable_payable_account && me.frm.doc.party_type && me.frm.doc.party) {
|
||||
return frappe.call({
|
||||
method: "erpnext.accounts.party.get_party_account",
|
||||
args: {
|
||||
@ -99,7 +106,7 @@ erpnext.accounts.PaymentReconciliationController = frappe.ui.form.Controller.ext
|
||||
party: me.frm.doc.party
|
||||
},
|
||||
callback: function(r) {
|
||||
if(!r.exc && r.message) {
|
||||
if (!r.exc && r.message) {
|
||||
me.frm.set_value("receivable_payable_account", r.message);
|
||||
}
|
||||
}
|
||||
|
@ -99,6 +99,7 @@ class PaymentReconciliation(Document):
|
||||
and `tabGL Entry`.against_voucher_type = %(voucher_type)s
|
||||
and `tab{doc}`.docstatus = 1 and `tabGL Entry`.party = %(party)s
|
||||
and `tabGL Entry`.party_type = %(party_type)s and `tabGL Entry`.account = %(account)s
|
||||
and `tabGL Entry`.is_cancelled = 0
|
||||
GROUP BY `tab{doc}`.name
|
||||
Having
|
||||
amount > 0
|
||||
|
@ -45,6 +45,7 @@
|
||||
"unique": 0
|
||||
},
|
||||
{
|
||||
"description": "Provide the invoice portion in percent",
|
||||
"allow_bulk_edit": 0,
|
||||
"allow_on_submit": 0,
|
||||
"bold": 1,
|
||||
@ -170,6 +171,7 @@
|
||||
"unique": 0
|
||||
},
|
||||
{
|
||||
"description": "Give number of days according to prior selection",
|
||||
"allow_bulk_edit": 0,
|
||||
"allow_on_submit": 0,
|
||||
"bold": 1,
|
||||
@ -305,7 +307,7 @@
|
||||
"issingle": 0,
|
||||
"istable": 0,
|
||||
"max_attachments": 0,
|
||||
"modified": "2018-03-08 10:47:32.830478",
|
||||
"modified": "2020-10-14 10:47:32.830478",
|
||||
"modified_by": "Administrator",
|
||||
"module": "Accounts",
|
||||
"name": "Payment Term",
|
||||
@ -381,4 +383,4 @@
|
||||
"sort_order": "DESC",
|
||||
"track_changes": 1,
|
||||
"track_seen": 0
|
||||
}
|
||||
}
|
||||
|
@ -92,21 +92,19 @@ class POSInvoice(SalesInvoice):
|
||||
|
||||
if len(invalid_serial_nos):
|
||||
multiple_nos = 's' if len(invalid_serial_nos) > 1 else ''
|
||||
frappe.throw(_("Row #{}: Serial No{}. {} has already been transacted into another POS Invoice. \
|
||||
Please select valid serial no.".format(d.idx, multiple_nos,
|
||||
frappe.bold(', '.join(invalid_serial_nos)))), title=_("Not Available"))
|
||||
frappe.throw(_("Row #{}: Serial No{}. {} has already been transacted into another POS Invoice. Please select valid serial no.").format(
|
||||
d.idx, multiple_nos, frappe.bold(', '.join(invalid_serial_nos))), title=_("Not Available"))
|
||||
else:
|
||||
if allow_negative_stock:
|
||||
return
|
||||
|
||||
available_stock = get_stock_availability(d.item_code, d.warehouse)
|
||||
if not (flt(available_stock) > 0):
|
||||
frappe.throw(_('Row #{}: Item Code: {} is not available under warehouse {}.'
|
||||
.format(d.idx, frappe.bold(d.item_code), frappe.bold(d.warehouse))), title=_("Not Available"))
|
||||
frappe.throw(_('Row #{}: Item Code: {} is not available under warehouse {}.').format(
|
||||
d.idx, frappe.bold(d.item_code), frappe.bold(d.warehouse)), title=_("Not Available"))
|
||||
elif flt(available_stock) < flt(d.qty):
|
||||
frappe.msgprint(_('Row #{}: Stock quantity not enough for Item Code: {} under warehouse {}. \
|
||||
Available quantity {}.'.format(d.idx, frappe.bold(d.item_code),
|
||||
frappe.bold(d.warehouse), frappe.bold(d.qty))), title=_("Not Available"))
|
||||
frappe.msgprint(_('Row #{}: Stock quantity not enough for Item Code: {} under warehouse {}. Available quantity {}.').format(
|
||||
d.idx, frappe.bold(d.item_code), frappe.bold(d.warehouse), frappe.bold(d.qty)), title=_("Not Available"))
|
||||
|
||||
def validate_serialised_or_batched_item(self):
|
||||
for d in self.get("items"):
|
||||
@ -117,14 +115,14 @@ class POSInvoice(SalesInvoice):
|
||||
|
||||
|
||||
if serialized and batched and (no_batch_selected or no_serial_selected):
|
||||
frappe.throw(_('Row #{}: Please select a serial no and batch against item: {} or remove it to complete transaction.'
|
||||
.format(d.idx, frappe.bold(d.item_code))), title=_("Invalid Item"))
|
||||
frappe.throw(_('Row #{}: Please select a serial no and batch against item: {} or remove it to complete transaction.').format(
|
||||
d.idx, frappe.bold(d.item_code)), title=_("Invalid Item"))
|
||||
if serialized and no_serial_selected:
|
||||
frappe.throw(_('Row #{}: No serial number selected against item: {}. Please select one or remove it to complete transaction.'
|
||||
.format(d.idx, frappe.bold(d.item_code))), title=_("Invalid Item"))
|
||||
frappe.throw(_('Row #{}: No serial number selected against item: {}. Please select one or remove it to complete transaction.').format(
|
||||
d.idx, frappe.bold(d.item_code)), title=_("Invalid Item"))
|
||||
if batched and no_batch_selected:
|
||||
frappe.throw(_('Row #{}: No batch selected against item: {}. Please select a batch or remove it to complete transaction.'
|
||||
.format(d.idx, frappe.bold(d.item_code))), title=_("Invalid Item"))
|
||||
frappe.throw(_('Row #{}: No batch selected against item: {}. Please select a batch or remove it to complete transaction.').format(
|
||||
d.idx, frappe.bold(d.item_code)), title=_("Invalid Item"))
|
||||
|
||||
def validate_return_items(self):
|
||||
if not self.get("is_return"): return
|
||||
@ -151,7 +149,7 @@ class POSInvoice(SalesInvoice):
|
||||
self.base_change_amount = flt(self.base_paid_amount - base_grand_total + flt(self.base_write_off_amount))
|
||||
|
||||
if flt(self.change_amount) and not self.account_for_change_amount:
|
||||
msgprint(_("Please enter Account for Change Amount"), raise_exception=1)
|
||||
frappe.msgprint(_("Please enter Account for Change Amount"), raise_exception=1)
|
||||
|
||||
def verify_payment_amount(self):
|
||||
for entry in self.payments:
|
||||
@ -167,7 +165,7 @@ class POSInvoice(SalesInvoice):
|
||||
total_amount_in_payments += payment.amount
|
||||
invoice_total = self.rounded_total or self.grand_total
|
||||
if total_amount_in_payments < invoice_total:
|
||||
frappe.throw(_("Total payments amount can't be greater than {}".format(-invoice_total)))
|
||||
frappe.throw(_("Total payments amount can't be greater than {}").format(-invoice_total))
|
||||
|
||||
def validate_loyalty_transaction(self):
|
||||
if self.redeem_loyalty_points and (not self.loyalty_redemption_account or not self.loyalty_redemption_cost_center):
|
||||
|
@ -361,6 +361,7 @@
|
||||
"fieldname": "bill_date",
|
||||
"fieldtype": "Date",
|
||||
"label": "Supplier Invoice Date",
|
||||
"no_copy": 1,
|
||||
"oldfieldname": "bill_date",
|
||||
"oldfieldtype": "Date",
|
||||
"print_hide": 1
|
||||
@ -1333,8 +1334,7 @@
|
||||
"icon": "fa fa-file-text",
|
||||
"idx": 204,
|
||||
"is_submittable": 1,
|
||||
"links": [],
|
||||
"modified": "2020-08-03 23:20:04.466153",
|
||||
"modified": "2020-09-21 12:22:09.164068",
|
||||
"modified_by": "Administrator",
|
||||
"module": "Accounts",
|
||||
"name": "Purchase Invoice",
|
||||
|
@ -171,7 +171,7 @@ def validate_account_for_perpetual_inventory(gl_map):
|
||||
frappe.throw(_("Account: {0} can only be updated via Stock Transactions")
|
||||
.format(account), StockAccountInvalidTransaction)
|
||||
|
||||
elif account_bal != stock_bal:
|
||||
elif abs(account_bal - stock_bal) > 0.1:
|
||||
precision = get_field_precision(frappe.get_meta("GL Entry").get_field("debit"),
|
||||
currency=frappe.get_cached_value('Company', gl_map[0].company, "default_currency"))
|
||||
|
||||
|
@ -20,7 +20,7 @@
|
||||
"owner": "Administrator",
|
||||
"steps": [
|
||||
{
|
||||
"step": "Chart Of Accounts"
|
||||
"step": "Chart of Accounts"
|
||||
},
|
||||
{
|
||||
"step": "Setup Taxes"
|
||||
|
@ -10,11 +10,11 @@
|
||||
"is_skipped": 0,
|
||||
"modified": "2020-05-14 17:40:28.410447",
|
||||
"modified_by": "Administrator",
|
||||
"name": "Chart Of Accounts",
|
||||
"name": "Chart of Accounts",
|
||||
"owner": "Administrator",
|
||||
"path": "Tree/Account",
|
||||
"reference_document": "Account",
|
||||
"show_full_form": 0,
|
||||
"title": "Review Chart Of Accounts",
|
||||
"title": "Review Chart of Accounts",
|
||||
"validate_action": 0
|
||||
}
|
@ -19,8 +19,7 @@ def reconcile(bank_transaction, payment_doctype, payment_name):
|
||||
gl_entry = frappe.get_doc("GL Entry", dict(account=account, voucher_type=payment_doctype, voucher_no=payment_name))
|
||||
|
||||
if payment_doctype == "Payment Entry" and payment_entry.unallocated_amount > transaction.unallocated_amount:
|
||||
frappe.throw(_("The unallocated amount of Payment Entry {0} \
|
||||
is greater than the Bank Transaction's unallocated amount").format(payment_name))
|
||||
frappe.throw(_("The unallocated amount of Payment Entry {0} is greater than the Bank Transaction's unallocated amount").format(payment_name))
|
||||
|
||||
if transaction.unallocated_amount == 0:
|
||||
frappe.throw(_("This bank transaction is already fully reconciled"))
|
||||
@ -83,50 +82,30 @@ def check_matching_amount(bank_account, company, transaction):
|
||||
"party", "party_type", "posting_date", "{0}".format(currency_field)], filters=[["paid_amount", "like", "{0}%".format(amount)],
|
||||
["docstatus", "=", "1"], ["payment_type", "=", [payment_type, "Internal Transfer"]], ["ifnull(clearance_date, '')", "=", ""], ["{0}".format(account_from_to), "=", "{0}".format(bank_account)]])
|
||||
|
||||
if transaction.credit > 0:
|
||||
journal_entries = frappe.db.sql("""
|
||||
SELECT
|
||||
'Journal Entry' as doctype, je.name, je.posting_date, je.cheque_no as reference_no,
|
||||
je.pay_to_recd_from as party, je.cheque_date as reference_date, jea.debit_in_account_currency as paid_amount
|
||||
FROM
|
||||
`tabJournal Entry Account` as jea
|
||||
JOIN
|
||||
`tabJournal Entry` as je
|
||||
ON
|
||||
jea.parent = je.name
|
||||
WHERE
|
||||
(je.clearance_date is null or je.clearance_date='0000-00-00')
|
||||
AND
|
||||
jea.account = %s
|
||||
AND
|
||||
jea.debit_in_account_currency like %s
|
||||
AND
|
||||
je.docstatus = 1
|
||||
""", (bank_account, amount), as_dict=True)
|
||||
else:
|
||||
journal_entries = frappe.db.sql("""
|
||||
SELECT
|
||||
'Journal Entry' as doctype, je.name, je.posting_date, je.cheque_no as reference_no,
|
||||
jea.account_currency as currency, je.pay_to_recd_from as party, je.cheque_date as reference_date,
|
||||
jea.credit_in_account_currency as paid_amount
|
||||
FROM
|
||||
`tabJournal Entry Account` as jea
|
||||
JOIN
|
||||
`tabJournal Entry` as je
|
||||
ON
|
||||
jea.parent = je.name
|
||||
WHERE
|
||||
(je.clearance_date is null or je.clearance_date='0000-00-00')
|
||||
AND
|
||||
jea.account = %(bank_account)s
|
||||
AND
|
||||
jea.credit_in_account_currency like %(txt)s
|
||||
AND
|
||||
je.docstatus = 1
|
||||
""", {
|
||||
'bank_account': bank_account,
|
||||
'txt': '%%%s%%' % amount
|
||||
}, as_dict=True)
|
||||
jea_side = "debit" if transaction.credit > 0 else "credit"
|
||||
journal_entries = frappe.db.sql(f"""
|
||||
SELECT
|
||||
'Journal Entry' as doctype, je.name, je.posting_date, je.cheque_no as reference_no,
|
||||
jea.account_currency as currency, je.pay_to_recd_from as party, je.cheque_date as reference_date,
|
||||
jea.{jea_side}_in_account_currency as paid_amount
|
||||
FROM
|
||||
`tabJournal Entry Account` as jea
|
||||
JOIN
|
||||
`tabJournal Entry` as je
|
||||
ON
|
||||
jea.parent = je.name
|
||||
WHERE
|
||||
(je.clearance_date is null or je.clearance_date='0000-00-00')
|
||||
AND
|
||||
jea.account = %(bank_account)s
|
||||
AND
|
||||
jea.{jea_side}_in_account_currency like %(txt)s
|
||||
AND
|
||||
je.docstatus = 1
|
||||
""", {
|
||||
'bank_account': bank_account,
|
||||
'txt': '%%%s%%' % amount
|
||||
}, as_dict=True)
|
||||
|
||||
if transaction.credit > 0:
|
||||
sales_invoices = frappe.db.sql("""
|
||||
|
@ -203,7 +203,7 @@ def set_account_and_due_date(party, account, party_type, company, posting_date,
|
||||
return out
|
||||
|
||||
@frappe.whitelist()
|
||||
def get_party_account(party_type, party, company):
|
||||
def get_party_account(party_type, party, company=None):
|
||||
"""Returns the account for the given `party`.
|
||||
Will first search in party (Customer / Supplier) record, if not found,
|
||||
will search in group (Customer Group / Supplier Group),
|
||||
|
@ -22,8 +22,6 @@ frappe.ui.form.on("Request for Quotation",{
|
||||
},
|
||||
|
||||
onload: function(frm) {
|
||||
frm.add_fetch('email_template', 'response', 'message_for_supplier');
|
||||
|
||||
if(!frm.doc.message_for_supplier) {
|
||||
frm.set_value("message_for_supplier", __("Please supply the specified items at the best possible rates"))
|
||||
}
|
||||
@ -194,6 +192,66 @@ frappe.ui.form.on("Request for Quotation",{
|
||||
});
|
||||
});
|
||||
dialog.show()
|
||||
},
|
||||
|
||||
preview: (frm) => {
|
||||
let dialog = new frappe.ui.Dialog({
|
||||
title: __('Preview Email'),
|
||||
fields: [
|
||||
{
|
||||
label: __('Supplier'),
|
||||
fieldtype: 'Select',
|
||||
fieldname: 'supplier',
|
||||
options: frm.doc.suppliers.map(row => row.supplier),
|
||||
reqd: 1
|
||||
},
|
||||
{
|
||||
fieldtype: 'Column Break',
|
||||
fieldname: 'col_break_1',
|
||||
},
|
||||
{
|
||||
label: __('Subject'),
|
||||
fieldtype: 'Data',
|
||||
fieldname: 'subject',
|
||||
read_only: 1,
|
||||
depends_on: 'subject'
|
||||
},
|
||||
{
|
||||
fieldtype: 'Section Break',
|
||||
fieldname: 'sec_break_1',
|
||||
hide_border: 1
|
||||
},
|
||||
{
|
||||
label: __('Email'),
|
||||
fieldtype: 'HTML',
|
||||
fieldname: 'email_preview'
|
||||
},
|
||||
{
|
||||
fieldtype: 'Section Break',
|
||||
fieldname: 'sec_break_2'
|
||||
},
|
||||
{
|
||||
label: __('Note'),
|
||||
fieldtype: 'HTML',
|
||||
fieldname: 'note'
|
||||
}
|
||||
]
|
||||
});
|
||||
|
||||
dialog.fields_dict['supplier'].df.onchange = () => {
|
||||
var supplier = dialog.get_value('supplier');
|
||||
frm.call('get_supplier_email_preview', {supplier: supplier}).then(result => {
|
||||
dialog.fields_dict.email_preview.$wrapper.empty();
|
||||
dialog.fields_dict.email_preview.$wrapper.append(result.message);
|
||||
});
|
||||
|
||||
}
|
||||
|
||||
dialog.fields_dict.note.$wrapper.append(`<p class="small text-muted">This is a preview of the email to be sent. A PDF of the document will
|
||||
automatically be attached with the email.</p>`);
|
||||
|
||||
dialog.set_value("subject", frm.doc.subject);
|
||||
dialog.show();
|
||||
}
|
||||
})
|
||||
|
||||
@ -276,7 +334,7 @@ erpnext.buying.RequestforQuotationController = erpnext.buying.BuyingController.e
|
||||
})
|
||||
}, __("Get items from"));
|
||||
// Get items from Opportunity
|
||||
this.frm.add_custom_button(__('Opportunity'),
|
||||
this.frm.add_custom_button(__('Opportunity'),
|
||||
function() {
|
||||
erpnext.utils.map_current_doc({
|
||||
method: "erpnext.crm.doctype.opportunity.opportunity.make_request_for_quotation",
|
||||
|
@ -1,5 +1,5 @@
|
||||
{
|
||||
"actions": "",
|
||||
"actions": [],
|
||||
"allow_import": 1,
|
||||
"autoname": "naming_series:",
|
||||
"creation": "2016-02-25 01:24:07.224790",
|
||||
@ -19,7 +19,12 @@
|
||||
"items",
|
||||
"link_to_mrs",
|
||||
"supplier_response_section",
|
||||
"salutation",
|
||||
"email_template",
|
||||
"col_break_email_1",
|
||||
"subject",
|
||||
"preview",
|
||||
"sec_break_email_2",
|
||||
"message_for_supplier",
|
||||
"terms_section_break",
|
||||
"tc_name",
|
||||
@ -126,8 +131,10 @@
|
||||
"label": "Link to Material Requests"
|
||||
},
|
||||
{
|
||||
"depends_on": "eval:!doc.__islocal",
|
||||
"fieldname": "supplier_response_section",
|
||||
"fieldtype": "Section Break"
|
||||
"fieldtype": "Section Break",
|
||||
"label": "Email Details"
|
||||
},
|
||||
{
|
||||
"fieldname": "email_template",
|
||||
@ -137,6 +144,8 @@
|
||||
"print_hide": 1
|
||||
},
|
||||
{
|
||||
"fetch_from": "email_template.response",
|
||||
"fetch_if_empty": 1,
|
||||
"fieldname": "message_for_supplier",
|
||||
"fieldtype": "Text Editor",
|
||||
"in_list_view": 1,
|
||||
@ -230,12 +239,45 @@
|
||||
"options": "Request for Quotation",
|
||||
"print_hide": 1,
|
||||
"read_only": 1
|
||||
},
|
||||
{
|
||||
"fetch_from": "email_template.subject",
|
||||
"fetch_if_empty": 1,
|
||||
"fieldname": "subject",
|
||||
"fieldtype": "Data",
|
||||
"label": "Subject",
|
||||
"print_hide": 1
|
||||
},
|
||||
{
|
||||
"description": "Select a greeting for the receiver. E.g. Mr., Ms., etc.",
|
||||
"fieldname": "salutation",
|
||||
"fieldtype": "Link",
|
||||
"label": "Salutation",
|
||||
"no_copy": 1,
|
||||
"options": "Salutation",
|
||||
"print_hide": 1
|
||||
},
|
||||
{
|
||||
"fieldname": "col_break_email_1",
|
||||
"fieldtype": "Column Break"
|
||||
},
|
||||
{
|
||||
"depends_on": "eval:!doc.docstatus==1",
|
||||
"fieldname": "preview",
|
||||
"fieldtype": "Button",
|
||||
"label": "Preview Email"
|
||||
},
|
||||
{
|
||||
"depends_on": "eval:!doc.__islocal",
|
||||
"fieldname": "sec_break_email_2",
|
||||
"fieldtype": "Section Break",
|
||||
"hide_border": 1
|
||||
}
|
||||
],
|
||||
"icon": "fa fa-shopping-cart",
|
||||
"is_submittable": 1,
|
||||
"links": [],
|
||||
"modified": "2020-06-25 14:37:21.140194",
|
||||
"modified": "2020-10-01 14:54:50.888729",
|
||||
"modified_by": "Administrator",
|
||||
"module": "Buying",
|
||||
"name": "Request for Quotation",
|
||||
|
@ -51,7 +51,7 @@ class RequestforQuotation(BuyingController):
|
||||
|
||||
def validate_email_id(self, args):
|
||||
if not args.email_id:
|
||||
frappe.throw(_("Row {0}: For Supplier {0}, Email Address is Required to Send Email").format(args.idx, args.supplier))
|
||||
frappe.throw(_("Row {0}: For Supplier {1}, Email Address is Required to send an email").format(args.idx, frappe.bold(args.supplier)))
|
||||
|
||||
def on_submit(self):
|
||||
frappe.db.set(self, 'status', 'Submitted')
|
||||
@ -62,17 +62,31 @@ class RequestforQuotation(BuyingController):
|
||||
def on_cancel(self):
|
||||
frappe.db.set(self, 'status', 'Cancelled')
|
||||
|
||||
def get_supplier_email_preview(self, supplier):
|
||||
"""Returns formatted email preview as string."""
|
||||
rfq_suppliers = list(filter(lambda row: row.supplier == supplier, self.suppliers))
|
||||
rfq_supplier = rfq_suppliers[0]
|
||||
|
||||
self.validate_email_id(rfq_supplier)
|
||||
|
||||
message = self.supplier_rfq_mail(rfq_supplier, '', self.get_link(), True)
|
||||
|
||||
return message
|
||||
|
||||
def send_to_supplier(self):
|
||||
"""Sends RFQ mail to involved suppliers."""
|
||||
for rfq_supplier in self.suppliers:
|
||||
if rfq_supplier.send_email:
|
||||
self.validate_email_id(rfq_supplier)
|
||||
|
||||
# make new user if required
|
||||
update_password_link = self.update_supplier_contact(rfq_supplier, self.get_link())
|
||||
update_password_link, contact = self.update_supplier_contact(rfq_supplier, self.get_link())
|
||||
|
||||
self.update_supplier_part_no(rfq_supplier)
|
||||
self.supplier_rfq_mail(rfq_supplier, update_password_link, self.get_link())
|
||||
rfq_supplier.email_sent = 1
|
||||
if not rfq_supplier.contact:
|
||||
rfq_supplier.contact = contact
|
||||
rfq_supplier.save()
|
||||
|
||||
def get_link(self):
|
||||
@ -87,18 +101,19 @@ class RequestforQuotation(BuyingController):
|
||||
|
||||
def update_supplier_contact(self, rfq_supplier, link):
|
||||
'''Create a new user for the supplier if not set in contact'''
|
||||
update_password_link = ''
|
||||
update_password_link, contact = '', ''
|
||||
|
||||
if frappe.db.exists("User", rfq_supplier.email_id):
|
||||
user = frappe.get_doc("User", rfq_supplier.email_id)
|
||||
else:
|
||||
user, update_password_link = self.create_user(rfq_supplier, link)
|
||||
|
||||
self.update_contact_of_supplier(rfq_supplier, user)
|
||||
contact = self.link_supplier_contact(rfq_supplier, user)
|
||||
|
||||
return update_password_link
|
||||
return update_password_link, contact
|
||||
|
||||
def update_contact_of_supplier(self, rfq_supplier, user):
|
||||
def link_supplier_contact(self, rfq_supplier, user):
|
||||
"""If no Contact, create a new contact against Supplier. If Contact exists, check if email and user id set."""
|
||||
if rfq_supplier.contact:
|
||||
contact = frappe.get_doc("Contact", rfq_supplier.contact)
|
||||
else:
|
||||
@ -115,6 +130,10 @@ class RequestforQuotation(BuyingController):
|
||||
|
||||
contact.save(ignore_permissions=True)
|
||||
|
||||
if not rfq_supplier.contact:
|
||||
# return contact to later update, RFQ supplier row's contact
|
||||
return contact.name
|
||||
|
||||
def create_user(self, rfq_supplier, link):
|
||||
user = frappe.get_doc({
|
||||
'doctype': 'User',
|
||||
@ -129,22 +148,36 @@ class RequestforQuotation(BuyingController):
|
||||
|
||||
return user, update_password_link
|
||||
|
||||
def supplier_rfq_mail(self, data, update_password_link, rfq_link):
|
||||
def supplier_rfq_mail(self, data, update_password_link, rfq_link, preview=False):
|
||||
full_name = get_user_fullname(frappe.session['user'])
|
||||
if full_name == "Guest":
|
||||
full_name = "Administrator"
|
||||
|
||||
# send document dict and some important data from suppliers row
|
||||
# to render message_for_supplier from any template
|
||||
doc_args = self.as_dict()
|
||||
doc_args.update({
|
||||
'supplier': data.get('supplier'),
|
||||
'supplier_name': data.get('supplier_name')
|
||||
})
|
||||
|
||||
args = {
|
||||
'update_password_link': update_password_link,
|
||||
'message': frappe.render_template(self.message_for_supplier, data.as_dict()),
|
||||
'message': frappe.render_template(self.message_for_supplier, doc_args),
|
||||
'rfq_link': rfq_link,
|
||||
'user_fullname': full_name
|
||||
'user_fullname': full_name,
|
||||
'supplier_name' : data.get('supplier_name'),
|
||||
'supplier_salutation' : self.salutation or 'Dear Mx.',
|
||||
}
|
||||
|
||||
subject = _("Request for Quotation")
|
||||
subject = self.subject or _("Request for Quotation")
|
||||
template = "templates/emails/request_for_quotation.html"
|
||||
sender = frappe.session.user not in STANDARD_USERS and frappe.session.user or None
|
||||
message = frappe.get_template(template).render(args)
|
||||
|
||||
if preview:
|
||||
return message
|
||||
|
||||
attachments = self.get_attachments()
|
||||
|
||||
self.send_email(data, sender, subject, message, attachments)
|
||||
|
@ -1,362 +1,112 @@
|
||||
{
|
||||
"allow_copy": 0,
|
||||
"allow_guest_to_view": 0,
|
||||
"allow_import": 0,
|
||||
"allow_rename": 0,
|
||||
"beta": 0,
|
||||
"creation": "2016-03-29 05:59:11.896885",
|
||||
"custom": 0,
|
||||
"docstatus": 0,
|
||||
"doctype": "DocType",
|
||||
"document_type": "",
|
||||
"editable_grid": 1,
|
||||
"engine": "InnoDB",
|
||||
"actions": [],
|
||||
"creation": "2016-03-29 05:59:11.896885",
|
||||
"doctype": "DocType",
|
||||
"editable_grid": 1,
|
||||
"engine": "InnoDB",
|
||||
"field_order": [
|
||||
"send_email",
|
||||
"email_sent",
|
||||
"supplier",
|
||||
"contact",
|
||||
"no_quote",
|
||||
"quote_status",
|
||||
"column_break_3",
|
||||
"supplier_name",
|
||||
"email_id",
|
||||
"download_pdf"
|
||||
],
|
||||
"fields": [
|
||||
{
|
||||
"allow_bulk_edit": 0,
|
||||
"allow_on_submit": 1,
|
||||
"bold": 0,
|
||||
"collapsible": 0,
|
||||
"columns": 0,
|
||||
"default": "1",
|
||||
"fieldname": "send_email",
|
||||
"fieldtype": "Check",
|
||||
"hidden": 0,
|
||||
"ignore_user_permissions": 0,
|
||||
"ignore_xss_filter": 0,
|
||||
"in_filter": 0,
|
||||
"in_global_search": 0,
|
||||
"in_list_view": 0,
|
||||
"in_standard_filter": 0,
|
||||
"label": "Send Email",
|
||||
"length": 0,
|
||||
"no_copy": 0,
|
||||
"permlevel": 0,
|
||||
"precision": "",
|
||||
"print_hide": 0,
|
||||
"print_hide_if_no_value": 0,
|
||||
"read_only": 0,
|
||||
"remember_last_selected_value": 0,
|
||||
"report_hide": 0,
|
||||
"reqd": 0,
|
||||
"search_index": 0,
|
||||
"set_only_once": 0,
|
||||
"translatable": 0,
|
||||
"unique": 0
|
||||
},
|
||||
"allow_on_submit": 1,
|
||||
"default": "1",
|
||||
"fieldname": "send_email",
|
||||
"fieldtype": "Check",
|
||||
"label": "Send Email"
|
||||
},
|
||||
{
|
||||
"allow_bulk_edit": 0,
|
||||
"allow_on_submit": 1,
|
||||
"bold": 0,
|
||||
"collapsible": 0,
|
||||
"columns": 0,
|
||||
"default": "0",
|
||||
"depends_on": "eval:doc.docstatus >= 1",
|
||||
"fieldname": "email_sent",
|
||||
"fieldtype": "Check",
|
||||
"hidden": 0,
|
||||
"ignore_user_permissions": 0,
|
||||
"ignore_xss_filter": 0,
|
||||
"in_filter": 0,
|
||||
"in_global_search": 0,
|
||||
"in_list_view": 0,
|
||||
"in_standard_filter": 0,
|
||||
"label": "Email Sent",
|
||||
"length": 0,
|
||||
"no_copy": 1,
|
||||
"permlevel": 0,
|
||||
"precision": "",
|
||||
"print_hide": 0,
|
||||
"print_hide_if_no_value": 0,
|
||||
"read_only": 1,
|
||||
"remember_last_selected_value": 0,
|
||||
"report_hide": 0,
|
||||
"reqd": 0,
|
||||
"search_index": 0,
|
||||
"set_only_once": 0,
|
||||
"translatable": 0,
|
||||
"unique": 0
|
||||
},
|
||||
"allow_on_submit": 1,
|
||||
"default": "0",
|
||||
"depends_on": "eval:doc.docstatus >= 1",
|
||||
"fieldname": "email_sent",
|
||||
"fieldtype": "Check",
|
||||
"label": "Email Sent",
|
||||
"no_copy": 1,
|
||||
"read_only": 1
|
||||
},
|
||||
{
|
||||
"allow_bulk_edit": 0,
|
||||
"allow_on_submit": 0,
|
||||
"bold": 0,
|
||||
"collapsible": 0,
|
||||
"columns": 4,
|
||||
"fieldname": "supplier",
|
||||
"fieldtype": "Link",
|
||||
"hidden": 0,
|
||||
"ignore_user_permissions": 0,
|
||||
"ignore_xss_filter": 0,
|
||||
"in_filter": 0,
|
||||
"in_global_search": 0,
|
||||
"in_list_view": 1,
|
||||
"in_standard_filter": 0,
|
||||
"label": "Supplier",
|
||||
"length": 0,
|
||||
"no_copy": 0,
|
||||
"options": "Supplier",
|
||||
"permlevel": 0,
|
||||
"precision": "",
|
||||
"print_hide": 0,
|
||||
"print_hide_if_no_value": 0,
|
||||
"read_only": 0,
|
||||
"remember_last_selected_value": 0,
|
||||
"report_hide": 0,
|
||||
"reqd": 1,
|
||||
"search_index": 0,
|
||||
"set_only_once": 0,
|
||||
"translatable": 0,
|
||||
"unique": 0
|
||||
},
|
||||
"columns": 4,
|
||||
"fieldname": "supplier",
|
||||
"fieldtype": "Link",
|
||||
"in_list_view": 1,
|
||||
"label": "Supplier",
|
||||
"options": "Supplier",
|
||||
"reqd": 1
|
||||
},
|
||||
{
|
||||
"allow_bulk_edit": 0,
|
||||
"allow_on_submit": 0,
|
||||
"bold": 0,
|
||||
"collapsible": 0,
|
||||
"columns": 3,
|
||||
"fieldname": "contact",
|
||||
"fieldtype": "Link",
|
||||
"hidden": 0,
|
||||
"ignore_user_permissions": 0,
|
||||
"ignore_xss_filter": 0,
|
||||
"in_filter": 0,
|
||||
"in_global_search": 0,
|
||||
"in_list_view": 1,
|
||||
"in_standard_filter": 0,
|
||||
"label": "Contact",
|
||||
"length": 0,
|
||||
"no_copy": 1,
|
||||
"options": "Contact",
|
||||
"permlevel": 0,
|
||||
"precision": "",
|
||||
"print_hide": 0,
|
||||
"print_hide_if_no_value": 0,
|
||||
"read_only": 0,
|
||||
"remember_last_selected_value": 0,
|
||||
"report_hide": 0,
|
||||
"reqd": 0,
|
||||
"search_index": 0,
|
||||
"set_only_once": 0,
|
||||
"translatable": 0,
|
||||
"unique": 0
|
||||
},
|
||||
"allow_on_submit": 1,
|
||||
"columns": 3,
|
||||
"fieldname": "contact",
|
||||
"fieldtype": "Link",
|
||||
"in_list_view": 1,
|
||||
"label": "Contact",
|
||||
"no_copy": 1,
|
||||
"options": "Contact"
|
||||
},
|
||||
{
|
||||
"allow_bulk_edit": 0,
|
||||
"allow_on_submit": 1,
|
||||
"bold": 0,
|
||||
"collapsible": 0,
|
||||
"columns": 0,
|
||||
"depends_on": "eval:doc.docstatus >= 1 && doc.quote_status != 'Received'",
|
||||
"fieldname": "no_quote",
|
||||
"fieldtype": "Check",
|
||||
"hidden": 0,
|
||||
"ignore_user_permissions": 0,
|
||||
"ignore_xss_filter": 0,
|
||||
"in_filter": 0,
|
||||
"in_global_search": 0,
|
||||
"in_list_view": 0,
|
||||
"in_standard_filter": 0,
|
||||
"label": "No Quote",
|
||||
"length": 0,
|
||||
"no_copy": 0,
|
||||
"permlevel": 0,
|
||||
"precision": "",
|
||||
"print_hide": 0,
|
||||
"print_hide_if_no_value": 0,
|
||||
"read_only": 0,
|
||||
"remember_last_selected_value": 0,
|
||||
"report_hide": 0,
|
||||
"reqd": 0,
|
||||
"search_index": 0,
|
||||
"set_only_once": 0,
|
||||
"translatable": 0,
|
||||
"unique": 0
|
||||
},
|
||||
"allow_on_submit": 1,
|
||||
"default": "0",
|
||||
"depends_on": "eval:doc.docstatus >= 1 && doc.quote_status != 'Received'",
|
||||
"fieldname": "no_quote",
|
||||
"fieldtype": "Check",
|
||||
"label": "No Quote"
|
||||
},
|
||||
{
|
||||
"allow_bulk_edit": 0,
|
||||
"allow_on_submit": 1,
|
||||
"bold": 0,
|
||||
"collapsible": 0,
|
||||
"columns": 0,
|
||||
"depends_on": "eval:doc.docstatus >= 1 && !doc.no_quote",
|
||||
"fieldname": "quote_status",
|
||||
"fieldtype": "Select",
|
||||
"hidden": 0,
|
||||
"ignore_user_permissions": 0,
|
||||
"ignore_xss_filter": 0,
|
||||
"in_filter": 0,
|
||||
"in_global_search": 0,
|
||||
"in_list_view": 0,
|
||||
"in_standard_filter": 0,
|
||||
"label": "Quote Status",
|
||||
"length": 0,
|
||||
"no_copy": 0,
|
||||
"options": "Pending\nReceived\nNo Quote",
|
||||
"permlevel": 0,
|
||||
"precision": "",
|
||||
"print_hide": 0,
|
||||
"print_hide_if_no_value": 0,
|
||||
"read_only": 1,
|
||||
"remember_last_selected_value": 0,
|
||||
"report_hide": 0,
|
||||
"reqd": 0,
|
||||
"search_index": 0,
|
||||
"set_only_once": 0,
|
||||
"translatable": 0,
|
||||
"unique": 0
|
||||
},
|
||||
"allow_on_submit": 1,
|
||||
"depends_on": "eval:doc.docstatus >= 1 && !doc.no_quote",
|
||||
"fieldname": "quote_status",
|
||||
"fieldtype": "Select",
|
||||
"label": "Quote Status",
|
||||
"options": "Pending\nReceived\nNo Quote",
|
||||
"read_only": 1
|
||||
},
|
||||
{
|
||||
"allow_bulk_edit": 0,
|
||||
"allow_on_submit": 0,
|
||||
"bold": 0,
|
||||
"collapsible": 0,
|
||||
"columns": 0,
|
||||
"fieldname": "column_break_3",
|
||||
"fieldtype": "Column Break",
|
||||
"hidden": 0,
|
||||
"ignore_user_permissions": 0,
|
||||
"ignore_xss_filter": 0,
|
||||
"in_filter": 0,
|
||||
"in_global_search": 0,
|
||||
"in_list_view": 0,
|
||||
"in_standard_filter": 0,
|
||||
"length": 0,
|
||||
"no_copy": 0,
|
||||
"permlevel": 0,
|
||||
"precision": "",
|
||||
"print_hide": 0,
|
||||
"print_hide_if_no_value": 0,
|
||||
"read_only": 0,
|
||||
"remember_last_selected_value": 0,
|
||||
"report_hide": 0,
|
||||
"reqd": 0,
|
||||
"search_index": 0,
|
||||
"set_only_once": 0,
|
||||
"translatable": 0,
|
||||
"unique": 0
|
||||
},
|
||||
"fieldname": "column_break_3",
|
||||
"fieldtype": "Column Break"
|
||||
},
|
||||
{
|
||||
"allow_bulk_edit": 0,
|
||||
"allow_on_submit": 0,
|
||||
"bold": 1,
|
||||
"collapsible": 0,
|
||||
"columns": 0,
|
||||
"bold": 1,
|
||||
"fetch_from": "supplier.supplier_name",
|
||||
"fieldname": "supplier_name",
|
||||
"fieldtype": "Read Only",
|
||||
"hidden": 0,
|
||||
"ignore_user_permissions": 0,
|
||||
"ignore_xss_filter": 0,
|
||||
"in_filter": 0,
|
||||
"in_global_search": 1,
|
||||
"in_list_view": 0,
|
||||
"in_standard_filter": 0,
|
||||
"label": "Supplier Name",
|
||||
"length": 0,
|
||||
"no_copy": 0,
|
||||
"options": "",
|
||||
"permlevel": 0,
|
||||
"precision": "",
|
||||
"print_hide": 0,
|
||||
"print_hide_if_no_value": 0,
|
||||
"read_only": 0,
|
||||
"remember_last_selected_value": 0,
|
||||
"report_hide": 0,
|
||||
"reqd": 0,
|
||||
"search_index": 0,
|
||||
"set_only_once": 0,
|
||||
"translatable": 0,
|
||||
"unique": 0
|
||||
},
|
||||
"fieldname": "supplier_name",
|
||||
"fieldtype": "Read Only",
|
||||
"in_global_search": 1,
|
||||
"label": "Supplier Name"
|
||||
},
|
||||
{
|
||||
"allow_bulk_edit": 0,
|
||||
"allow_on_submit": 0,
|
||||
"bold": 0,
|
||||
"collapsible": 0,
|
||||
"columns": 3,
|
||||
"columns": 3,
|
||||
"fetch_from": "contact.email_id",
|
||||
"fieldname": "email_id",
|
||||
"fieldtype": "Data",
|
||||
"hidden": 0,
|
||||
"ignore_user_permissions": 0,
|
||||
"ignore_xss_filter": 0,
|
||||
"in_filter": 0,
|
||||
"in_global_search": 0,
|
||||
"in_list_view": 1,
|
||||
"in_standard_filter": 0,
|
||||
"label": "Email Id",
|
||||
"length": 0,
|
||||
"no_copy": 1,
|
||||
"options": "",
|
||||
"permlevel": 0,
|
||||
"precision": "",
|
||||
"print_hide": 0,
|
||||
"print_hide_if_no_value": 0,
|
||||
"read_only": 0,
|
||||
"remember_last_selected_value": 0,
|
||||
"report_hide": 0,
|
||||
"reqd": 0,
|
||||
"search_index": 0,
|
||||
"set_only_once": 0,
|
||||
"translatable": 0,
|
||||
"unique": 0
|
||||
},
|
||||
"fieldname": "email_id",
|
||||
"fieldtype": "Data",
|
||||
"in_list_view": 1,
|
||||
"label": "Email Id",
|
||||
"no_copy": 1
|
||||
},
|
||||
{
|
||||
"allow_bulk_edit": 0,
|
||||
"allow_on_submit": 1,
|
||||
"bold": 0,
|
||||
"collapsible": 0,
|
||||
"columns": 0,
|
||||
"fieldname": "download_pdf",
|
||||
"fieldtype": "Button",
|
||||
"hidden": 0,
|
||||
"ignore_user_permissions": 0,
|
||||
"ignore_xss_filter": 0,
|
||||
"in_filter": 0,
|
||||
"in_global_search": 0,
|
||||
"in_list_view": 0,
|
||||
"in_standard_filter": 0,
|
||||
"label": "Download PDF",
|
||||
"length": 0,
|
||||
"no_copy": 0,
|
||||
"permlevel": 0,
|
||||
"precision": "",
|
||||
"print_hide": 0,
|
||||
"print_hide_if_no_value": 0,
|
||||
"read_only": 0,
|
||||
"remember_last_selected_value": 0,
|
||||
"report_hide": 0,
|
||||
"reqd": 0,
|
||||
"search_index": 0,
|
||||
"set_only_once": 0,
|
||||
"translatable": 0,
|
||||
"unique": 0
|
||||
"allow_on_submit": 1,
|
||||
"fieldname": "download_pdf",
|
||||
"fieldtype": "Button",
|
||||
"label": "Download PDF"
|
||||
}
|
||||
],
|
||||
"has_web_view": 0,
|
||||
"hide_heading": 0,
|
||||
"hide_toolbar": 0,
|
||||
"idx": 0,
|
||||
"image_view": 0,
|
||||
"in_create": 0,
|
||||
"is_submittable": 0,
|
||||
"issingle": 0,
|
||||
"istable": 1,
|
||||
"max_attachments": 0,
|
||||
"modified": "2018-05-16 22:43:30.212408",
|
||||
"modified_by": "Administrator",
|
||||
"module": "Buying",
|
||||
"name": "Request for Quotation Supplier",
|
||||
"name_case": "",
|
||||
"owner": "Administrator",
|
||||
"permissions": [],
|
||||
"quick_entry": 0,
|
||||
"read_only": 0,
|
||||
"read_only_onload": 0,
|
||||
"show_name_in_global_search": 0,
|
||||
"sort_field": "modified",
|
||||
"sort_order": "DESC",
|
||||
"track_changes": 1,
|
||||
"track_seen": 0
|
||||
],
|
||||
"istable": 1,
|
||||
"links": [],
|
||||
"modified": "2020-09-28 19:31:11.855588",
|
||||
"modified_by": "Administrator",
|
||||
"module": "Buying",
|
||||
"name": "Request for Quotation Supplier",
|
||||
"owner": "Administrator",
|
||||
"permissions": [],
|
||||
"sort_field": "modified",
|
||||
"sort_order": "DESC",
|
||||
"track_changes": 1
|
||||
}
|
@ -241,7 +241,7 @@
|
||||
"fieldname": "rate",
|
||||
"fieldtype": "Currency",
|
||||
"in_list_view": 1,
|
||||
"label": "Rate ",
|
||||
"label": "Rate",
|
||||
"oldfieldname": "import_rate",
|
||||
"oldfieldtype": "Currency",
|
||||
"options": "currency"
|
||||
@ -560,7 +560,7 @@
|
||||
"index_web_pages_for_search": 1,
|
||||
"istable": 1,
|
||||
"links": [],
|
||||
"modified": "2020-10-01 16:34:39.703033",
|
||||
"modified": "2020-10-19 12:36:26.913211",
|
||||
"modified_by": "Administrator",
|
||||
"module": "Buying",
|
||||
"name": "Supplier Quotation Item",
|
||||
|
@ -143,7 +143,7 @@ def get_conditions(filters):
|
||||
conditions = ""
|
||||
|
||||
if filters.get("company"):
|
||||
conditions += " AND par.company=%s" % frappe.db.escape(filters.get('company'))
|
||||
conditions += " AND parent.company=%s" % frappe.db.escape(filters.get('company'))
|
||||
|
||||
if filters.get("cost_center") or filters.get("project"):
|
||||
conditions += """
|
||||
@ -151,10 +151,10 @@ def get_conditions(filters):
|
||||
""" % (frappe.db.escape(filters.get('cost_center')), frappe.db.escape(filters.get('project')))
|
||||
|
||||
if filters.get("from_date"):
|
||||
conditions += " AND par.transaction_date>='%s'" % filters.get('from_date')
|
||||
conditions += " AND parent.transaction_date>='%s'" % filters.get('from_date')
|
||||
|
||||
if filters.get("to_date"):
|
||||
conditions += " AND par.transaction_date<='%s'" % filters.get('to_date')
|
||||
conditions += " AND parent.transaction_date<='%s'" % filters.get('to_date')
|
||||
return conditions
|
||||
|
||||
def get_data(filters):
|
||||
@ -198,21 +198,23 @@ def get_mapped_mr_details(conditions):
|
||||
mr_records = {}
|
||||
mr_details = frappe.db.sql("""
|
||||
SELECT
|
||||
par.transaction_date,
|
||||
par.per_ordered,
|
||||
par.owner,
|
||||
parent.transaction_date,
|
||||
parent.per_ordered,
|
||||
parent.owner,
|
||||
child.name,
|
||||
child.parent,
|
||||
child.amount,
|
||||
child.qty,
|
||||
child.item_code,
|
||||
child.uom,
|
||||
par.status
|
||||
FROM `tabMaterial Request` par, `tabMaterial Request Item` child
|
||||
parent.status,
|
||||
child.project,
|
||||
child.cost_center
|
||||
FROM `tabMaterial Request` parent, `tabMaterial Request Item` child
|
||||
WHERE
|
||||
par.per_ordered>=0
|
||||
AND par.name=child.parent
|
||||
AND par.docstatus=1
|
||||
parent.per_ordered>=0
|
||||
AND parent.name=child.parent
|
||||
AND parent.docstatus=1
|
||||
{conditions}
|
||||
""".format(conditions=conditions), as_dict=1) #nosec
|
||||
|
||||
@ -232,7 +234,9 @@ def get_mapped_mr_details(conditions):
|
||||
status=record.status,
|
||||
actual_cost=0,
|
||||
purchase_order_amt=0,
|
||||
purchase_order_amt_in_company_currency=0
|
||||
purchase_order_amt_in_company_currency=0,
|
||||
project = record.project,
|
||||
cost_center = record.cost_center
|
||||
)
|
||||
procurement_record_against_mr.append(procurement_record_details)
|
||||
return mr_records, procurement_record_against_mr
|
||||
@ -280,16 +284,16 @@ def get_po_entries(conditions):
|
||||
child.amount,
|
||||
child.base_amount,
|
||||
child.schedule_date,
|
||||
par.transaction_date,
|
||||
par.supplier,
|
||||
par.status,
|
||||
par.owner
|
||||
FROM `tabPurchase Order` par, `tabPurchase Order Item` child
|
||||
parent.transaction_date,
|
||||
parent.supplier,
|
||||
parent.status,
|
||||
parent.owner
|
||||
FROM `tabPurchase Order` parent, `tabPurchase Order Item` child
|
||||
WHERE
|
||||
par.docstatus = 1
|
||||
AND par.name = child.parent
|
||||
AND par.status not in ("Closed","Completed","Cancelled")
|
||||
parent.docstatus = 1
|
||||
AND parent.name = child.parent
|
||||
AND parent.status not in ("Closed","Completed","Cancelled")
|
||||
{conditions}
|
||||
GROUP BY
|
||||
par.name, child.item_code
|
||||
parent.name, child.item_code
|
||||
""".format(conditions=conditions), as_dict=1) #nosec
|
@ -63,8 +63,8 @@ def get_data():
|
||||
{
|
||||
"type": "doctype",
|
||||
"name": "Chart of Accounts Importer",
|
||||
"labe": _("Chart Of Accounts Importer"),
|
||||
"description": _("Import Chart Of Accounts from CSV / Excel files"),
|
||||
"label": _("Chart of Accounts Importer"),
|
||||
"description": _("Import Chart of Accounts from CSV / Excel files"),
|
||||
"onboard": 1
|
||||
},
|
||||
{
|
||||
|
@ -6,9 +6,13 @@ from __future__ import unicode_literals
|
||||
import frappe
|
||||
from frappe import _
|
||||
from frappe.model.document import Document
|
||||
from frappe.utils import get_link_to_form
|
||||
from functools import reduce
|
||||
|
||||
class CourseEnrollment(Document):
|
||||
def validate(self):
|
||||
self.validate_duplication()
|
||||
|
||||
def get_progress(self, student):
|
||||
"""
|
||||
Returns Progress of given student for a particular course enrollment
|
||||
@ -27,13 +31,15 @@ class CourseEnrollment(Document):
|
||||
return []
|
||||
|
||||
def validate_duplication(self):
|
||||
enrollment = frappe.get_all("Course Enrollment", filters={
|
||||
enrollment = frappe.db.exists("Course Enrollment", {
|
||||
"student": self.student,
|
||||
"course": self.course,
|
||||
"program_enrollment": self.program_enrollment
|
||||
"program_enrollment": self.program_enrollment,
|
||||
"name": ("!=", self.name)
|
||||
})
|
||||
if enrollment:
|
||||
frappe.throw(_("Student is already enrolled."))
|
||||
frappe.throw(_("Student is already enrolled via Course Enrollment {0}").format(
|
||||
get_link_to_form("Course Enrollment", enrollment)), title=_('Duplicate Entry'))
|
||||
|
||||
def add_quiz_activity(self, quiz_name, quiz_response, answers, score, status):
|
||||
result = {k: ('Correct' if v else 'Wrong') for k,v in answers.items()}
|
||||
|
@ -17,8 +17,9 @@ class TestCourseEnrollment(unittest.TestCase):
|
||||
setup_program()
|
||||
student = create_student({"first_name": "_Test First", "last_name": "_Test Last", "email": "_test_student_1@example.com"})
|
||||
program_enrollment = student.enroll_in_program("_Test Program")
|
||||
course_enrollment = student.enroll_in_course("_Test Course 1", program_enrollment.name)
|
||||
make_course_activity(course_enrollment.name, "Article", "_Test Article 1-1")
|
||||
course_enrollment = frappe.db.get_value("Course Enrollment",
|
||||
{"course": "_Test Course 1", "student": student.name, "program_enrollment": program_enrollment.name}, 'name')
|
||||
make_course_activity(course_enrollment, "Article", "_Test Article 1-1")
|
||||
|
||||
def test_get_progress(self):
|
||||
student = get_student("_test_student_1@example.com")
|
||||
@ -30,5 +31,14 @@ class TestCourseEnrollment(unittest.TestCase):
|
||||
self.assertTrue(finished in progress)
|
||||
frappe.db.rollback()
|
||||
|
||||
def tearDown(self):
|
||||
for entry in frappe.db.get_all("Course Enrollment"):
|
||||
frappe.delete_doc("Course Enrollment", entry.name)
|
||||
|
||||
for entry in frappe.db.get_all("Program Enrollment"):
|
||||
doc = frappe.get_doc("Program Enrollment", entry.name)
|
||||
doc.cancel()
|
||||
doc.delete()
|
||||
|
||||
|
||||
|
||||
|
@ -49,6 +49,11 @@ class TestProgram(unittest.TestCase):
|
||||
self.assertEqual(course[1].name, "_Test Course 2")
|
||||
frappe.db.rollback()
|
||||
|
||||
def tearDown(self):
|
||||
for dt in ["Program", "Course", "Topic", "Article"]:
|
||||
for entry in frappe.get_all(dt):
|
||||
frappe.delete_doc(dt, entry.program)
|
||||
|
||||
def make_program(name):
|
||||
program = frappe.get_doc({
|
||||
"doctype": "Program",
|
||||
@ -68,7 +73,7 @@ def make_program_and_linked_courses(program_name, course_name_list):
|
||||
program = frappe.get_doc("Program", program_name)
|
||||
course_list = [make_course(course_name) for course_name in course_name_list]
|
||||
for course in course_list:
|
||||
program.append("courses", {"course": course})
|
||||
program.append("courses", {"course": course, "required": 1})
|
||||
program.save()
|
||||
return program
|
||||
|
||||
|
@ -17,9 +17,7 @@
|
||||
"in_list_view": 1,
|
||||
"label": "Course",
|
||||
"options": "Course",
|
||||
"reqd": 1,
|
||||
"show_days": 1,
|
||||
"show_seconds": 1
|
||||
"reqd": 1
|
||||
},
|
||||
{
|
||||
"fetch_from": "course.course_name",
|
||||
@ -27,23 +25,19 @@
|
||||
"fieldtype": "Data",
|
||||
"in_list_view": 1,
|
||||
"label": "Course Name",
|
||||
"read_only": 1,
|
||||
"show_days": 1,
|
||||
"show_seconds": 1
|
||||
"read_only": 1
|
||||
},
|
||||
{
|
||||
"default": "0",
|
||||
"default": "1",
|
||||
"fieldname": "required",
|
||||
"fieldtype": "Check",
|
||||
"in_list_view": 1,
|
||||
"label": "Mandatory",
|
||||
"show_days": 1,
|
||||
"show_seconds": 1
|
||||
"label": "Mandatory"
|
||||
}
|
||||
],
|
||||
"istable": 1,
|
||||
"links": [],
|
||||
"modified": "2020-06-09 18:56:10.213241",
|
||||
"modified": "2020-09-15 18:14:22.816795",
|
||||
"modified_by": "Administrator",
|
||||
"module": "Education",
|
||||
"name": "Program Course",
|
||||
|
@ -2,16 +2,24 @@
|
||||
// For license information, please see license.txt
|
||||
|
||||
|
||||
frappe.ui.form.on("Program Enrollment", {
|
||||
frappe.ui.form.on('Program Enrollment', {
|
||||
setup: function(frm) {
|
||||
frm.add_fetch('fee_structure', 'total_amount', 'amount');
|
||||
},
|
||||
|
||||
onload: function(frm, cdt, cdn){
|
||||
frm.set_query("academic_term", "fees", function(){
|
||||
return{
|
||||
"filters":{
|
||||
"academic_year": (frm.doc.academic_year)
|
||||
onload: function(frm) {
|
||||
frm.set_query('academic_term', function() {
|
||||
return {
|
||||
'filters':{
|
||||
'academic_year': frm.doc.academic_year
|
||||
}
|
||||
};
|
||||
});
|
||||
|
||||
frm.set_query('academic_term', 'fees', function() {
|
||||
return {
|
||||
'filters':{
|
||||
'academic_year': frm.doc.academic_year
|
||||
}
|
||||
};
|
||||
});
|
||||
@ -24,9 +32,9 @@ frappe.ui.form.on("Program Enrollment", {
|
||||
};
|
||||
|
||||
if (frm.doc.program) {
|
||||
frm.set_query("course", "courses", function(doc, cdt, cdn) {
|
||||
return{
|
||||
query: "erpnext.education.doctype.program_enrollment.program_enrollment.get_program_courses",
|
||||
frm.set_query('course', 'courses', function() {
|
||||
return {
|
||||
query: 'erpnext.education.doctype.program_enrollment.program_enrollment.get_program_courses',
|
||||
filters: {
|
||||
'program': frm.doc.program
|
||||
}
|
||||
@ -34,9 +42,9 @@ frappe.ui.form.on("Program Enrollment", {
|
||||
});
|
||||
}
|
||||
|
||||
frm.set_query("student", function() {
|
||||
frm.set_query('student', function() {
|
||||
return{
|
||||
query: "erpnext.education.doctype.program_enrollment.program_enrollment.get_students",
|
||||
query: 'erpnext.education.doctype.program_enrollment.program_enrollment.get_students',
|
||||
filters: {
|
||||
'academic_year': frm.doc.academic_year,
|
||||
'academic_term': frm.doc.academic_term
|
||||
@ -49,14 +57,14 @@ frappe.ui.form.on("Program Enrollment", {
|
||||
frm.events.get_courses(frm);
|
||||
if (frm.doc.program) {
|
||||
frappe.call({
|
||||
method: "erpnext.education.api.get_fee_schedule",
|
||||
method: 'erpnext.education.api.get_fee_schedule',
|
||||
args: {
|
||||
"program": frm.doc.program,
|
||||
"student_category": frm.doc.student_category
|
||||
'program': frm.doc.program,
|
||||
'student_category': frm.doc.student_category
|
||||
},
|
||||
callback: function(r) {
|
||||
if(r.message) {
|
||||
frm.set_value("fees" ,r.message);
|
||||
if (r.message) {
|
||||
frm.set_value('fees' ,r.message);
|
||||
frm.events.get_courses(frm);
|
||||
}
|
||||
}
|
||||
@ -65,17 +73,17 @@ frappe.ui.form.on("Program Enrollment", {
|
||||
},
|
||||
|
||||
student_category: function() {
|
||||
frappe.ui.form.trigger("Program Enrollment", "program");
|
||||
frappe.ui.form.trigger('Program Enrollment', 'program');
|
||||
},
|
||||
|
||||
get_courses: function(frm) {
|
||||
frm.set_value("courses",[]);
|
||||
frm.set_value('courses',[]);
|
||||
frappe.call({
|
||||
method: "get_courses",
|
||||
method: 'get_courses',
|
||||
doc:frm.doc,
|
||||
callback: function(r) {
|
||||
if(r.message) {
|
||||
frm.set_value("courses", r.message);
|
||||
if (r.message) {
|
||||
frm.set_value('courses', r.message);
|
||||
}
|
||||
}
|
||||
})
|
||||
@ -84,10 +92,10 @@ frappe.ui.form.on("Program Enrollment", {
|
||||
|
||||
frappe.ui.form.on('Program Enrollment Course', {
|
||||
courses_add: function(frm){
|
||||
frm.fields_dict['courses'].grid.get_field('course').get_query = function(doc){
|
||||
frm.fields_dict['courses'].grid.get_field('course').get_query = function(doc) {
|
||||
var course_list = [];
|
||||
if(!doc.__islocal) course_list.push(doc.name);
|
||||
$.each(doc.courses, function(idx, val){
|
||||
$.each(doc.courses, function(_idx, val) {
|
||||
if (val.course) course_list.push(val.course);
|
||||
});
|
||||
return { filters: [['Course', 'name', 'not in', course_list]] };
|
||||
|
@ -1,775 +1,218 @@
|
||||
{
|
||||
"allow_copy": 0,
|
||||
"allow_events_in_timeline": 0,
|
||||
"allow_guest_to_view": 0,
|
||||
"allow_import": 1,
|
||||
"allow_rename": 0,
|
||||
"autoname": "EDU-ENR-.YYYY.-.#####",
|
||||
"beta": 0,
|
||||
"creation": "2015-12-02 12:58:32.916080",
|
||||
"custom": 0,
|
||||
"docstatus": 0,
|
||||
"doctype": "DocType",
|
||||
"document_type": "Document",
|
||||
"editable_grid": 0,
|
||||
"engine": "InnoDB",
|
||||
"actions": [],
|
||||
"allow_import": 1,
|
||||
"autoname": "EDU-ENR-.YYYY.-.#####",
|
||||
"creation": "2015-12-02 12:58:32.916080",
|
||||
"doctype": "DocType",
|
||||
"document_type": "Document",
|
||||
"engine": "InnoDB",
|
||||
"field_order": [
|
||||
"student",
|
||||
"student_name",
|
||||
"student_category",
|
||||
"student_batch_name",
|
||||
"school_house",
|
||||
"column_break_4",
|
||||
"program",
|
||||
"academic_year",
|
||||
"academic_term",
|
||||
"enrollment_date",
|
||||
"boarding_student",
|
||||
"enrolled_courses",
|
||||
"courses",
|
||||
"transportation",
|
||||
"mode_of_transportation",
|
||||
"column_break_13",
|
||||
"vehicle_no",
|
||||
"section_break_7",
|
||||
"fees",
|
||||
"amended_from",
|
||||
"image"
|
||||
],
|
||||
"fields": [
|
||||
{
|
||||
"allow_bulk_edit": 0,
|
||||
"allow_in_quick_entry": 0,
|
||||
"allow_on_submit": 0,
|
||||
"bold": 0,
|
||||
"collapsible": 0,
|
||||
"columns": 0,
|
||||
"fieldname": "student",
|
||||
"fieldtype": "Link",
|
||||
"hidden": 0,
|
||||
"ignore_user_permissions": 0,
|
||||
"ignore_xss_filter": 0,
|
||||
"in_filter": 0,
|
||||
"in_global_search": 1,
|
||||
"in_list_view": 0,
|
||||
"in_standard_filter": 0,
|
||||
"label": "Student",
|
||||
"length": 0,
|
||||
"no_copy": 0,
|
||||
"options": "Student",
|
||||
"permlevel": 0,
|
||||
"precision": "",
|
||||
"print_hide": 0,
|
||||
"print_hide_if_no_value": 0,
|
||||
"read_only": 0,
|
||||
"remember_last_selected_value": 0,
|
||||
"report_hide": 0,
|
||||
"reqd": 1,
|
||||
"search_index": 0,
|
||||
"set_only_once": 0,
|
||||
"translatable": 0,
|
||||
"unique": 0
|
||||
},
|
||||
"fieldname": "student",
|
||||
"fieldtype": "Link",
|
||||
"in_global_search": 1,
|
||||
"label": "Student",
|
||||
"options": "Student",
|
||||
"reqd": 1
|
||||
},
|
||||
{
|
||||
"allow_bulk_edit": 0,
|
||||
"allow_in_quick_entry": 0,
|
||||
"allow_on_submit": 0,
|
||||
"bold": 0,
|
||||
"collapsible": 0,
|
||||
"columns": 0,
|
||||
"fetch_from": "student.title",
|
||||
"fieldname": "student_name",
|
||||
"fieldtype": "Read Only",
|
||||
"hidden": 0,
|
||||
"ignore_user_permissions": 0,
|
||||
"ignore_xss_filter": 0,
|
||||
"in_filter": 0,
|
||||
"in_global_search": 1,
|
||||
"in_list_view": 0,
|
||||
"in_standard_filter": 0,
|
||||
"label": "Student Name",
|
||||
"length": 0,
|
||||
"no_copy": 0,
|
||||
"options": "",
|
||||
"permlevel": 0,
|
||||
"precision": "",
|
||||
"print_hide": 0,
|
||||
"print_hide_if_no_value": 0,
|
||||
"read_only": 1,
|
||||
"remember_last_selected_value": 0,
|
||||
"report_hide": 0,
|
||||
"reqd": 0,
|
||||
"search_index": 0,
|
||||
"set_only_once": 0,
|
||||
"translatable": 0,
|
||||
"unique": 0
|
||||
},
|
||||
"fetch_from": "student.title",
|
||||
"fieldname": "student_name",
|
||||
"fieldtype": "Read Only",
|
||||
"in_global_search": 1,
|
||||
"label": "Student Name",
|
||||
"read_only": 1
|
||||
},
|
||||
{
|
||||
"allow_bulk_edit": 0,
|
||||
"allow_in_quick_entry": 0,
|
||||
"allow_on_submit": 0,
|
||||
"bold": 0,
|
||||
"collapsible": 0,
|
||||
"columns": 0,
|
||||
"fieldname": "student_category",
|
||||
"fieldtype": "Link",
|
||||
"hidden": 0,
|
||||
"ignore_user_permissions": 0,
|
||||
"ignore_xss_filter": 0,
|
||||
"in_filter": 0,
|
||||
"in_global_search": 0,
|
||||
"in_list_view": 0,
|
||||
"in_standard_filter": 0,
|
||||
"label": "Student Category",
|
||||
"length": 0,
|
||||
"no_copy": 0,
|
||||
"options": "Student Category",
|
||||
"permlevel": 0,
|
||||
"precision": "",
|
||||
"print_hide": 0,
|
||||
"print_hide_if_no_value": 0,
|
||||
"read_only": 0,
|
||||
"remember_last_selected_value": 0,
|
||||
"report_hide": 0,
|
||||
"reqd": 0,
|
||||
"search_index": 0,
|
||||
"set_only_once": 0,
|
||||
"translatable": 0,
|
||||
"unique": 0
|
||||
},
|
||||
"fieldname": "student_category",
|
||||
"fieldtype": "Link",
|
||||
"label": "Student Category",
|
||||
"options": "Student Category"
|
||||
},
|
||||
{
|
||||
"allow_bulk_edit": 0,
|
||||
"allow_in_quick_entry": 0,
|
||||
"allow_on_submit": 1,
|
||||
"bold": 0,
|
||||
"collapsible": 0,
|
||||
"columns": 0,
|
||||
"fieldname": "student_batch_name",
|
||||
"fieldtype": "Link",
|
||||
"hidden": 0,
|
||||
"ignore_user_permissions": 0,
|
||||
"ignore_xss_filter": 0,
|
||||
"in_filter": 0,
|
||||
"in_global_search": 1,
|
||||
"in_list_view": 0,
|
||||
"in_standard_filter": 0,
|
||||
"label": "Student Batch",
|
||||
"length": 0,
|
||||
"no_copy": 0,
|
||||
"options": "Student Batch Name",
|
||||
"permlevel": 0,
|
||||
"precision": "",
|
||||
"print_hide": 0,
|
||||
"print_hide_if_no_value": 0,
|
||||
"read_only": 0,
|
||||
"remember_last_selected_value": 0,
|
||||
"report_hide": 0,
|
||||
"reqd": 0,
|
||||
"search_index": 0,
|
||||
"set_only_once": 0,
|
||||
"translatable": 0,
|
||||
"unique": 0
|
||||
},
|
||||
"allow_on_submit": 1,
|
||||
"fieldname": "student_batch_name",
|
||||
"fieldtype": "Link",
|
||||
"in_global_search": 1,
|
||||
"label": "Student Batch",
|
||||
"options": "Student Batch Name"
|
||||
},
|
||||
{
|
||||
"allow_bulk_edit": 0,
|
||||
"allow_in_quick_entry": 0,
|
||||
"allow_on_submit": 1,
|
||||
"bold": 0,
|
||||
"collapsible": 0,
|
||||
"columns": 0,
|
||||
"fieldname": "school_house",
|
||||
"fieldtype": "Link",
|
||||
"hidden": 0,
|
||||
"ignore_user_permissions": 0,
|
||||
"ignore_xss_filter": 0,
|
||||
"in_filter": 0,
|
||||
"in_global_search": 0,
|
||||
"in_list_view": 0,
|
||||
"in_standard_filter": 0,
|
||||
"label": "School House",
|
||||
"length": 0,
|
||||
"no_copy": 0,
|
||||
"options": "School House",
|
||||
"permlevel": 0,
|
||||
"precision": "",
|
||||
"print_hide": 0,
|
||||
"print_hide_if_no_value": 0,
|
||||
"read_only": 0,
|
||||
"remember_last_selected_value": 0,
|
||||
"report_hide": 0,
|
||||
"reqd": 0,
|
||||
"search_index": 0,
|
||||
"set_only_once": 0,
|
||||
"translatable": 0,
|
||||
"unique": 0
|
||||
},
|
||||
"allow_on_submit": 1,
|
||||
"fieldname": "school_house",
|
||||
"fieldtype": "Link",
|
||||
"label": "School House",
|
||||
"options": "School House"
|
||||
},
|
||||
{
|
||||
"allow_bulk_edit": 0,
|
||||
"allow_in_quick_entry": 0,
|
||||
"allow_on_submit": 0,
|
||||
"bold": 0,
|
||||
"collapsible": 0,
|
||||
"columns": 0,
|
||||
"fieldname": "column_break_4",
|
||||
"fieldtype": "Column Break",
|
||||
"hidden": 0,
|
||||
"ignore_user_permissions": 0,
|
||||
"ignore_xss_filter": 0,
|
||||
"in_filter": 0,
|
||||
"in_global_search": 0,
|
||||
"in_list_view": 0,
|
||||
"in_standard_filter": 0,
|
||||
"length": 0,
|
||||
"no_copy": 0,
|
||||
"permlevel": 0,
|
||||
"precision": "",
|
||||
"print_hide": 0,
|
||||
"print_hide_if_no_value": 0,
|
||||
"read_only": 0,
|
||||
"remember_last_selected_value": 0,
|
||||
"report_hide": 0,
|
||||
"reqd": 0,
|
||||
"search_index": 0,
|
||||
"set_only_once": 0,
|
||||
"translatable": 0,
|
||||
"unique": 0
|
||||
},
|
||||
"fieldname": "column_break_4",
|
||||
"fieldtype": "Column Break"
|
||||
},
|
||||
{
|
||||
"allow_bulk_edit": 0,
|
||||
"allow_in_quick_entry": 0,
|
||||
"allow_on_submit": 0,
|
||||
"bold": 0,
|
||||
"collapsible": 0,
|
||||
"columns": 0,
|
||||
"fieldname": "program",
|
||||
"fieldtype": "Link",
|
||||
"hidden": 0,
|
||||
"ignore_user_permissions": 0,
|
||||
"ignore_xss_filter": 0,
|
||||
"in_filter": 0,
|
||||
"in_global_search": 0,
|
||||
"in_list_view": 1,
|
||||
"in_standard_filter": 1,
|
||||
"label": "Program",
|
||||
"length": 0,
|
||||
"no_copy": 0,
|
||||
"options": "Program",
|
||||
"permlevel": 0,
|
||||
"precision": "",
|
||||
"print_hide": 0,
|
||||
"print_hide_if_no_value": 0,
|
||||
"read_only": 0,
|
||||
"remember_last_selected_value": 0,
|
||||
"report_hide": 0,
|
||||
"reqd": 1,
|
||||
"search_index": 0,
|
||||
"set_only_once": 0,
|
||||
"translatable": 0,
|
||||
"unique": 0
|
||||
},
|
||||
"fieldname": "program",
|
||||
"fieldtype": "Link",
|
||||
"in_list_view": 1,
|
||||
"in_standard_filter": 1,
|
||||
"label": "Program",
|
||||
"options": "Program",
|
||||
"reqd": 1
|
||||
},
|
||||
{
|
||||
"allow_bulk_edit": 0,
|
||||
"allow_in_quick_entry": 0,
|
||||
"allow_on_submit": 0,
|
||||
"bold": 0,
|
||||
"collapsible": 0,
|
||||
"columns": 0,
|
||||
"fieldname": "academic_year",
|
||||
"fieldtype": "Link",
|
||||
"hidden": 0,
|
||||
"ignore_user_permissions": 0,
|
||||
"ignore_xss_filter": 0,
|
||||
"in_filter": 0,
|
||||
"in_global_search": 0,
|
||||
"in_list_view": 1,
|
||||
"in_standard_filter": 1,
|
||||
"label": "Academic Year",
|
||||
"length": 0,
|
||||
"no_copy": 0,
|
||||
"options": "Academic Year",
|
||||
"permlevel": 0,
|
||||
"precision": "",
|
||||
"print_hide": 0,
|
||||
"print_hide_if_no_value": 0,
|
||||
"read_only": 0,
|
||||
"remember_last_selected_value": 0,
|
||||
"report_hide": 0,
|
||||
"reqd": 1,
|
||||
"search_index": 0,
|
||||
"set_only_once": 0,
|
||||
"translatable": 0,
|
||||
"unique": 0
|
||||
},
|
||||
"fieldname": "academic_year",
|
||||
"fieldtype": "Link",
|
||||
"in_list_view": 1,
|
||||
"in_standard_filter": 1,
|
||||
"label": "Academic Year",
|
||||
"options": "Academic Year",
|
||||
"reqd": 1
|
||||
},
|
||||
{
|
||||
"allow_bulk_edit": 0,
|
||||
"allow_in_quick_entry": 0,
|
||||
"allow_on_submit": 0,
|
||||
"bold": 0,
|
||||
"collapsible": 0,
|
||||
"columns": 0,
|
||||
"fieldname": "academic_term",
|
||||
"fieldtype": "Link",
|
||||
"hidden": 0,
|
||||
"ignore_user_permissions": 0,
|
||||
"ignore_xss_filter": 0,
|
||||
"in_filter": 0,
|
||||
"in_global_search": 0,
|
||||
"in_list_view": 0,
|
||||
"in_standard_filter": 0,
|
||||
"label": "Academic Term",
|
||||
"length": 0,
|
||||
"no_copy": 0,
|
||||
"options": "Academic Term",
|
||||
"permlevel": 0,
|
||||
"precision": "",
|
||||
"print_hide": 0,
|
||||
"print_hide_if_no_value": 0,
|
||||
"read_only": 0,
|
||||
"remember_last_selected_value": 0,
|
||||
"report_hide": 0,
|
||||
"reqd": 0,
|
||||
"search_index": 0,
|
||||
"set_only_once": 0,
|
||||
"translatable": 0,
|
||||
"unique": 0
|
||||
},
|
||||
"fieldname": "academic_term",
|
||||
"fieldtype": "Link",
|
||||
"label": "Academic Term",
|
||||
"options": "Academic Term"
|
||||
},
|
||||
{
|
||||
"allow_bulk_edit": 0,
|
||||
"allow_in_quick_entry": 0,
|
||||
"allow_on_submit": 0,
|
||||
"bold": 0,
|
||||
"collapsible": 0,
|
||||
"columns": 0,
|
||||
"default": "Today",
|
||||
"fieldname": "enrollment_date",
|
||||
"fieldtype": "Date",
|
||||
"hidden": 0,
|
||||
"ignore_user_permissions": 0,
|
||||
"ignore_xss_filter": 0,
|
||||
"in_filter": 0,
|
||||
"in_global_search": 0,
|
||||
"in_list_view": 0,
|
||||
"in_standard_filter": 0,
|
||||
"label": "Enrollment Date",
|
||||
"length": 0,
|
||||
"no_copy": 0,
|
||||
"permlevel": 0,
|
||||
"precision": "",
|
||||
"print_hide": 0,
|
||||
"print_hide_if_no_value": 0,
|
||||
"read_only": 0,
|
||||
"remember_last_selected_value": 0,
|
||||
"report_hide": 0,
|
||||
"reqd": 1,
|
||||
"search_index": 0,
|
||||
"set_only_once": 0,
|
||||
"translatable": 0,
|
||||
"unique": 0
|
||||
},
|
||||
"default": "Today",
|
||||
"fieldname": "enrollment_date",
|
||||
"fieldtype": "Date",
|
||||
"label": "Enrollment Date",
|
||||
"reqd": 1
|
||||
},
|
||||
{
|
||||
"allow_bulk_edit": 0,
|
||||
"allow_in_quick_entry": 0,
|
||||
"allow_on_submit": 0,
|
||||
"bold": 0,
|
||||
"collapsible": 0,
|
||||
"columns": 0,
|
||||
"default": "0",
|
||||
"description": "Check this if the Student is residing at the Institute's Hostel.",
|
||||
"fieldname": "boarding_student",
|
||||
"fieldtype": "Check",
|
||||
"hidden": 0,
|
||||
"ignore_user_permissions": 0,
|
||||
"ignore_xss_filter": 0,
|
||||
"in_filter": 0,
|
||||
"in_global_search": 0,
|
||||
"in_list_view": 0,
|
||||
"in_standard_filter": 0,
|
||||
"label": "Boarding Student",
|
||||
"length": 0,
|
||||
"no_copy": 0,
|
||||
"options": "",
|
||||
"permlevel": 0,
|
||||
"precision": "",
|
||||
"print_hide": 0,
|
||||
"print_hide_if_no_value": 0,
|
||||
"read_only": 0,
|
||||
"remember_last_selected_value": 0,
|
||||
"report_hide": 0,
|
||||
"reqd": 0,
|
||||
"search_index": 0,
|
||||
"set_only_once": 0,
|
||||
"translatable": 0,
|
||||
"unique": 0
|
||||
},
|
||||
"default": "0",
|
||||
"description": "Check this if the Student is residing at the Institute's Hostel.",
|
||||
"fieldname": "boarding_student",
|
||||
"fieldtype": "Check",
|
||||
"label": "Boarding Student"
|
||||
},
|
||||
{
|
||||
"allow_bulk_edit": 0,
|
||||
"allow_in_quick_entry": 0,
|
||||
"allow_on_submit": 0,
|
||||
"bold": 0,
|
||||
"collapsible": 1,
|
||||
"collapsible_depends_on": "vehicle_no",
|
||||
"columns": 0,
|
||||
"fieldname": "transportation",
|
||||
"fieldtype": "Section Break",
|
||||
"hidden": 0,
|
||||
"ignore_user_permissions": 0,
|
||||
"ignore_xss_filter": 0,
|
||||
"in_filter": 0,
|
||||
"in_global_search": 0,
|
||||
"in_list_view": 0,
|
||||
"in_standard_filter": 0,
|
||||
"label": "Transportation",
|
||||
"length": 0,
|
||||
"no_copy": 0,
|
||||
"permlevel": 0,
|
||||
"precision": "",
|
||||
"print_hide": 0,
|
||||
"print_hide_if_no_value": 0,
|
||||
"read_only": 0,
|
||||
"remember_last_selected_value": 0,
|
||||
"report_hide": 0,
|
||||
"reqd": 0,
|
||||
"search_index": 0,
|
||||
"set_only_once": 0,
|
||||
"translatable": 0,
|
||||
"unique": 0
|
||||
},
|
||||
"collapsible": 1,
|
||||
"collapsible_depends_on": "vehicle_no",
|
||||
"fieldname": "transportation",
|
||||
"fieldtype": "Section Break",
|
||||
"label": "Transportation"
|
||||
},
|
||||
{
|
||||
"allow_bulk_edit": 0,
|
||||
"allow_in_quick_entry": 0,
|
||||
"allow_on_submit": 1,
|
||||
"bold": 0,
|
||||
"collapsible": 0,
|
||||
"columns": 0,
|
||||
"fieldname": "mode_of_transportation",
|
||||
"fieldtype": "Select",
|
||||
"hidden": 0,
|
||||
"ignore_user_permissions": 0,
|
||||
"ignore_xss_filter": 0,
|
||||
"in_filter": 0,
|
||||
"in_global_search": 0,
|
||||
"in_list_view": 0,
|
||||
"in_standard_filter": 0,
|
||||
"label": "Mode of Transportation",
|
||||
"length": 0,
|
||||
"no_copy": 0,
|
||||
"options": "\nWalking\nInstitute's Bus\nPublic Transport\nSelf-Driving Vehicle\nPick/Drop by Guardian",
|
||||
"permlevel": 0,
|
||||
"precision": "",
|
||||
"print_hide": 0,
|
||||
"print_hide_if_no_value": 0,
|
||||
"read_only": 0,
|
||||
"remember_last_selected_value": 0,
|
||||
"report_hide": 0,
|
||||
"reqd": 0,
|
||||
"search_index": 0,
|
||||
"set_only_once": 0,
|
||||
"translatable": 0,
|
||||
"unique": 0
|
||||
},
|
||||
"allow_on_submit": 1,
|
||||
"fieldname": "mode_of_transportation",
|
||||
"fieldtype": "Select",
|
||||
"label": "Mode of Transportation",
|
||||
"options": "\nWalking\nInstitute's Bus\nPublic Transport\nSelf-Driving Vehicle\nPick/Drop by Guardian"
|
||||
},
|
||||
{
|
||||
"allow_bulk_edit": 0,
|
||||
"allow_in_quick_entry": 0,
|
||||
"allow_on_submit": 0,
|
||||
"bold": 0,
|
||||
"collapsible": 0,
|
||||
"columns": 0,
|
||||
"fieldname": "column_break_13",
|
||||
"fieldtype": "Column Break",
|
||||
"hidden": 0,
|
||||
"ignore_user_permissions": 0,
|
||||
"ignore_xss_filter": 0,
|
||||
"in_filter": 0,
|
||||
"in_global_search": 0,
|
||||
"in_list_view": 0,
|
||||
"in_standard_filter": 0,
|
||||
"length": 0,
|
||||
"no_copy": 0,
|
||||
"permlevel": 0,
|
||||
"precision": "",
|
||||
"print_hide": 0,
|
||||
"print_hide_if_no_value": 0,
|
||||
"read_only": 0,
|
||||
"remember_last_selected_value": 0,
|
||||
"report_hide": 0,
|
||||
"reqd": 0,
|
||||
"search_index": 0,
|
||||
"set_only_once": 0,
|
||||
"translatable": 0,
|
||||
"unique": 0
|
||||
},
|
||||
"fieldname": "column_break_13",
|
||||
"fieldtype": "Column Break"
|
||||
},
|
||||
{
|
||||
"allow_bulk_edit": 0,
|
||||
"allow_in_quick_entry": 0,
|
||||
"allow_on_submit": 1,
|
||||
"bold": 0,
|
||||
"collapsible": 0,
|
||||
"columns": 0,
|
||||
"fieldname": "vehicle_no",
|
||||
"fieldtype": "Data",
|
||||
"hidden": 0,
|
||||
"ignore_user_permissions": 0,
|
||||
"ignore_xss_filter": 0,
|
||||
"in_filter": 0,
|
||||
"in_global_search": 0,
|
||||
"in_list_view": 0,
|
||||
"in_standard_filter": 0,
|
||||
"label": "Vehicle/Bus Number",
|
||||
"length": 0,
|
||||
"no_copy": 0,
|
||||
"permlevel": 0,
|
||||
"precision": "",
|
||||
"print_hide": 0,
|
||||
"print_hide_if_no_value": 0,
|
||||
"read_only": 0,
|
||||
"remember_last_selected_value": 0,
|
||||
"report_hide": 0,
|
||||
"reqd": 0,
|
||||
"search_index": 0,
|
||||
"set_only_once": 0,
|
||||
"translatable": 0,
|
||||
"unique": 0
|
||||
},
|
||||
"allow_on_submit": 1,
|
||||
"fieldname": "vehicle_no",
|
||||
"fieldtype": "Data",
|
||||
"label": "Vehicle/Bus Number"
|
||||
},
|
||||
{
|
||||
"allow_bulk_edit": 0,
|
||||
"allow_in_quick_entry": 0,
|
||||
"allow_on_submit": 0,
|
||||
"bold": 0,
|
||||
"collapsible": 1,
|
||||
"columns": 0,
|
||||
"fieldname": "enrolled_courses",
|
||||
"fieldtype": "Section Break",
|
||||
"hidden": 0,
|
||||
"ignore_user_permissions": 0,
|
||||
"ignore_xss_filter": 0,
|
||||
"in_filter": 0,
|
||||
"in_global_search": 0,
|
||||
"in_list_view": 0,
|
||||
"in_standard_filter": 0,
|
||||
"label": "Enrolled courses",
|
||||
"length": 0,
|
||||
"no_copy": 0,
|
||||
"permlevel": 0,
|
||||
"precision": "",
|
||||
"print_hide": 0,
|
||||
"print_hide_if_no_value": 0,
|
||||
"read_only": 0,
|
||||
"remember_last_selected_value": 0,
|
||||
"report_hide": 0,
|
||||
"reqd": 0,
|
||||
"search_index": 0,
|
||||
"set_only_once": 0,
|
||||
"translatable": 0,
|
||||
"unique": 0
|
||||
},
|
||||
"fieldname": "enrolled_courses",
|
||||
"fieldtype": "Section Break",
|
||||
"label": "Enrolled courses"
|
||||
},
|
||||
{
|
||||
"allow_bulk_edit": 0,
|
||||
"allow_in_quick_entry": 0,
|
||||
"allow_on_submit": 1,
|
||||
"bold": 0,
|
||||
"collapsible": 0,
|
||||
"columns": 0,
|
||||
"fieldname": "courses",
|
||||
"fieldtype": "Table",
|
||||
"hidden": 0,
|
||||
"ignore_user_permissions": 0,
|
||||
"ignore_xss_filter": 0,
|
||||
"in_filter": 0,
|
||||
"in_global_search": 0,
|
||||
"in_list_view": 0,
|
||||
"in_standard_filter": 0,
|
||||
"label": "Courses",
|
||||
"length": 0,
|
||||
"no_copy": 0,
|
||||
"options": "Program Enrollment Course",
|
||||
"permlevel": 0,
|
||||
"precision": "",
|
||||
"print_hide": 0,
|
||||
"print_hide_if_no_value": 0,
|
||||
"read_only": 0,
|
||||
"remember_last_selected_value": 0,
|
||||
"report_hide": 0,
|
||||
"reqd": 0,
|
||||
"search_index": 0,
|
||||
"set_only_once": 0,
|
||||
"translatable": 0,
|
||||
"unique": 0
|
||||
},
|
||||
"allow_on_submit": 1,
|
||||
"fieldname": "courses",
|
||||
"fieldtype": "Table",
|
||||
"label": "Courses",
|
||||
"options": "Program Enrollment Course"
|
||||
},
|
||||
{
|
||||
"allow_bulk_edit": 0,
|
||||
"allow_in_quick_entry": 0,
|
||||
"allow_on_submit": 0,
|
||||
"bold": 0,
|
||||
"collapsible": 1,
|
||||
"columns": 0,
|
||||
"fieldname": "section_break_7",
|
||||
"fieldtype": "Section Break",
|
||||
"hidden": 0,
|
||||
"ignore_user_permissions": 0,
|
||||
"ignore_xss_filter": 0,
|
||||
"in_filter": 0,
|
||||
"in_global_search": 0,
|
||||
"in_list_view": 0,
|
||||
"in_standard_filter": 0,
|
||||
"label": "Fees",
|
||||
"length": 0,
|
||||
"no_copy": 0,
|
||||
"permlevel": 0,
|
||||
"precision": "",
|
||||
"print_hide": 0,
|
||||
"print_hide_if_no_value": 0,
|
||||
"read_only": 0,
|
||||
"remember_last_selected_value": 0,
|
||||
"report_hide": 0,
|
||||
"reqd": 0,
|
||||
"search_index": 0,
|
||||
"set_only_once": 0,
|
||||
"translatable": 0,
|
||||
"unique": 0
|
||||
},
|
||||
"collapsible": 1,
|
||||
"fieldname": "section_break_7",
|
||||
"fieldtype": "Section Break",
|
||||
"label": "Fees"
|
||||
},
|
||||
{
|
||||
"allow_bulk_edit": 0,
|
||||
"allow_in_quick_entry": 0,
|
||||
"allow_on_submit": 0,
|
||||
"bold": 0,
|
||||
"collapsible": 0,
|
||||
"columns": 0,
|
||||
"fieldname": "fees",
|
||||
"fieldtype": "Table",
|
||||
"hidden": 0,
|
||||
"ignore_user_permissions": 0,
|
||||
"ignore_xss_filter": 0,
|
||||
"in_filter": 0,
|
||||
"in_global_search": 0,
|
||||
"in_list_view": 0,
|
||||
"in_standard_filter": 0,
|
||||
"label": "Fees",
|
||||
"length": 0,
|
||||
"no_copy": 0,
|
||||
"options": "Program Fee",
|
||||
"permlevel": 0,
|
||||
"precision": "",
|
||||
"print_hide": 0,
|
||||
"print_hide_if_no_value": 0,
|
||||
"read_only": 0,
|
||||
"remember_last_selected_value": 0,
|
||||
"report_hide": 0,
|
||||
"reqd": 0,
|
||||
"search_index": 0,
|
||||
"set_only_once": 0,
|
||||
"translatable": 0,
|
||||
"unique": 0,
|
||||
"width": ""
|
||||
},
|
||||
"fieldname": "fees",
|
||||
"fieldtype": "Table",
|
||||
"label": "Fees",
|
||||
"options": "Program Fee"
|
||||
},
|
||||
{
|
||||
"allow_bulk_edit": 0,
|
||||
"allow_in_quick_entry": 0,
|
||||
"allow_on_submit": 0,
|
||||
"bold": 0,
|
||||
"collapsible": 0,
|
||||
"columns": 0,
|
||||
"fieldname": "amended_from",
|
||||
"fieldtype": "Link",
|
||||
"hidden": 0,
|
||||
"ignore_user_permissions": 0,
|
||||
"ignore_xss_filter": 0,
|
||||
"in_filter": 0,
|
||||
"in_global_search": 0,
|
||||
"in_list_view": 0,
|
||||
"in_standard_filter": 0,
|
||||
"label": "Amended From",
|
||||
"length": 0,
|
||||
"no_copy": 1,
|
||||
"options": "Program Enrollment",
|
||||
"permlevel": 0,
|
||||
"print_hide": 1,
|
||||
"print_hide_if_no_value": 0,
|
||||
"read_only": 1,
|
||||
"remember_last_selected_value": 0,
|
||||
"report_hide": 0,
|
||||
"reqd": 0,
|
||||
"search_index": 0,
|
||||
"set_only_once": 0,
|
||||
"translatable": 0,
|
||||
"unique": 0
|
||||
},
|
||||
"fieldname": "amended_from",
|
||||
"fieldtype": "Link",
|
||||
"label": "Amended From",
|
||||
"no_copy": 1,
|
||||
"options": "Program Enrollment",
|
||||
"print_hide": 1,
|
||||
"read_only": 1
|
||||
},
|
||||
{
|
||||
"allow_bulk_edit": 0,
|
||||
"allow_in_quick_entry": 0,
|
||||
"allow_on_submit": 0,
|
||||
"bold": 0,
|
||||
"collapsible": 0,
|
||||
"columns": 0,
|
||||
"fieldname": "image",
|
||||
"fieldtype": "Attach Image",
|
||||
"hidden": 1,
|
||||
"ignore_user_permissions": 0,
|
||||
"ignore_xss_filter": 0,
|
||||
"in_filter": 0,
|
||||
"in_global_search": 0,
|
||||
"in_list_view": 0,
|
||||
"in_standard_filter": 0,
|
||||
"label": "Image",
|
||||
"length": 0,
|
||||
"no_copy": 0,
|
||||
"permlevel": 0,
|
||||
"precision": "",
|
||||
"print_hide": 0,
|
||||
"print_hide_if_no_value": 0,
|
||||
"read_only": 0,
|
||||
"remember_last_selected_value": 0,
|
||||
"report_hide": 0,
|
||||
"reqd": 0,
|
||||
"search_index": 0,
|
||||
"set_only_once": 0,
|
||||
"translatable": 0,
|
||||
"unique": 0
|
||||
"fieldname": "image",
|
||||
"fieldtype": "Attach Image",
|
||||
"hidden": 1,
|
||||
"label": "Image"
|
||||
}
|
||||
],
|
||||
"has_web_view": 0,
|
||||
"hide_heading": 0,
|
||||
"hide_toolbar": 0,
|
||||
"idx": 0,
|
||||
"image_field": "image",
|
||||
"image_view": 0,
|
||||
"in_create": 0,
|
||||
"is_submittable": 1,
|
||||
"issingle": 0,
|
||||
"istable": 0,
|
||||
"max_attachments": 0,
|
||||
"menu_index": 0,
|
||||
"modified": "2018-11-07 21:13:06.502279",
|
||||
"modified_by": "Administrator",
|
||||
"module": "Education",
|
||||
"name": "Program Enrollment",
|
||||
"name_case": "",
|
||||
"owner": "Administrator",
|
||||
],
|
||||
"image_field": "image",
|
||||
"is_submittable": 1,
|
||||
"links": [],
|
||||
"modified": "2020-09-15 18:12:11.988565",
|
||||
"modified_by": "Administrator",
|
||||
"module": "Education",
|
||||
"name": "Program Enrollment",
|
||||
"owner": "Administrator",
|
||||
"permissions": [
|
||||
{
|
||||
"amend": 1,
|
||||
"cancel": 1,
|
||||
"create": 1,
|
||||
"delete": 1,
|
||||
"email": 1,
|
||||
"export": 1,
|
||||
"if_owner": 0,
|
||||
"import": 0,
|
||||
"permlevel": 0,
|
||||
"print": 1,
|
||||
"read": 1,
|
||||
"report": 1,
|
||||
"role": "Academics User",
|
||||
"set_user_permissions": 0,
|
||||
"share": 1,
|
||||
"submit": 1,
|
||||
"amend": 1,
|
||||
"cancel": 1,
|
||||
"create": 1,
|
||||
"delete": 1,
|
||||
"email": 1,
|
||||
"export": 1,
|
||||
"print": 1,
|
||||
"read": 1,
|
||||
"report": 1,
|
||||
"role": "Academics User",
|
||||
"share": 1,
|
||||
"submit": 1,
|
||||
"write": 1
|
||||
},
|
||||
},
|
||||
{
|
||||
"amend": 0,
|
||||
"cancel": 0,
|
||||
"create": 1,
|
||||
"delete": 0,
|
||||
"email": 1,
|
||||
"export": 1,
|
||||
"if_owner": 0,
|
||||
"import": 0,
|
||||
"permlevel": 0,
|
||||
"print": 1,
|
||||
"read": 1,
|
||||
"report": 1,
|
||||
"role": "LMS User",
|
||||
"set_user_permissions": 0,
|
||||
"share": 1,
|
||||
"submit": 1,
|
||||
"create": 1,
|
||||
"email": 1,
|
||||
"export": 1,
|
||||
"print": 1,
|
||||
"read": 1,
|
||||
"report": 1,
|
||||
"role": "LMS User",
|
||||
"share": 1,
|
||||
"submit": 1,
|
||||
"write": 1
|
||||
}
|
||||
],
|
||||
"quick_entry": 0,
|
||||
"read_only": 0,
|
||||
"read_only_onload": 0,
|
||||
"restrict_to_domain": "Education",
|
||||
"show_name_in_global_search": 1,
|
||||
"sort_field": "modified",
|
||||
"sort_order": "DESC",
|
||||
"title_field": "student_name",
|
||||
"track_changes": 0,
|
||||
"track_seen": 0,
|
||||
"track_views": 0
|
||||
],
|
||||
"restrict_to_domain": "Education",
|
||||
"show_name_in_global_search": 1,
|
||||
"sort_field": "modified",
|
||||
"sort_order": "DESC",
|
||||
"title_field": "student_name"
|
||||
}
|
@ -7,12 +7,15 @@ import frappe
|
||||
from frappe import msgprint, _
|
||||
from frappe.model.document import Document
|
||||
from frappe.desk.reportview import get_match_cond, get_filters_cond
|
||||
from frappe.utils import comma_and
|
||||
from frappe.utils import comma_and, get_link_to_form, getdate
|
||||
import erpnext.www.lms as lms
|
||||
|
||||
class ProgramEnrollment(Document):
|
||||
def validate(self):
|
||||
self.validate_duplication()
|
||||
self.validate_academic_year()
|
||||
if self.academic_term:
|
||||
self.validate_academic_term()
|
||||
if not self.student_name:
|
||||
self.student_name = frappe.db.get_value("Student", self.student, "title")
|
||||
if not self.courses:
|
||||
@ -23,11 +26,34 @@ class ProgramEnrollment(Document):
|
||||
self.make_fee_records()
|
||||
self.create_course_enrollments()
|
||||
|
||||
def validate_academic_year(self):
|
||||
start_date, end_date = frappe.db.get_value("Academic Year", self.academic_year, ["year_start_date", "year_end_date"])
|
||||
if self.enrollment_date:
|
||||
if start_date and getdate(self.enrollment_date) < getdate(start_date):
|
||||
frappe.throw(_("Enrollment Date cannot be before the Start Date of the Academic Year {0}").format(
|
||||
get_link_to_form("Academic Year", self.academic_year)))
|
||||
|
||||
if end_date and getdate(self.enrollment_date) > getdate(end_date):
|
||||
frappe.throw(_("Enrollment Date cannot be after the End Date of the Academic Term {0}").format(
|
||||
get_link_to_form("Academic Year", self.academic_year)))
|
||||
|
||||
def validate_academic_term(self):
|
||||
start_date, end_date = frappe.db.get_value("Academic Term", self.academic_term, ["term_start_date", "term_end_date"])
|
||||
if self.enrollment_date:
|
||||
if start_date and getdate(self.enrollment_date) < getdate(start_date):
|
||||
frappe.throw(_("Enrollment Date cannot be before the Start Date of the Academic Term {0}").format(
|
||||
get_link_to_form("Academic Term", self.academic_term)))
|
||||
|
||||
if end_date and getdate(self.enrollment_date) > getdate(end_date):
|
||||
frappe.throw(_("Enrollment Date cannot be after the End Date of the Academic Term {0}").format(
|
||||
get_link_to_form("Academic Term", self.academic_term)))
|
||||
|
||||
def validate_duplication(self):
|
||||
enrollment = frappe.get_all("Program Enrollment", filters={
|
||||
"student": self.student,
|
||||
"program": self.program,
|
||||
"academic_year": self.academic_year,
|
||||
"academic_term": self.academic_term,
|
||||
"docstatus": ("<", 2),
|
||||
"name": ("!=", self.name)
|
||||
})
|
||||
@ -70,10 +96,9 @@ class ProgramEnrollment(Document):
|
||||
|
||||
def create_course_enrollments(self):
|
||||
student = frappe.get_doc("Student", self.student)
|
||||
program = frappe.get_doc("Program", self.program)
|
||||
course_list = [course.course for course in program.courses]
|
||||
course_list = [course.course for course in self.courses]
|
||||
for course_name in course_list:
|
||||
student.enroll_in_course(course_name=course_name, program_enrollment=self.name)
|
||||
student.enroll_in_course(course_name=course_name, program_enrollment=self.name, enrollment_date=self.enrollment_date)
|
||||
|
||||
def get_all_course_enrollments(self):
|
||||
course_enrollment_names = frappe.get_list("Course Enrollment", filters={'program_enrollment': self.name})
|
||||
|
@ -23,4 +23,13 @@ class TestProgramEnrollment(unittest.TestCase):
|
||||
course_enrollments = student.get_all_course_enrollments()
|
||||
self.assertTrue("_Test Course 1" in course_enrollments.keys())
|
||||
self.assertTrue("_Test Course 2" in course_enrollments.keys())
|
||||
frappe.db.rollback()
|
||||
frappe.db.rollback()
|
||||
|
||||
def tearDown(self):
|
||||
for entry in frappe.db.get_all("Course Enrollment"):
|
||||
frappe.delete_doc("Course Enrollment", entry.name)
|
||||
|
||||
for entry in frappe.db.get_all("Program Enrollment"):
|
||||
doc = frappe.get_doc("Program Enrollment", entry.name)
|
||||
doc.cancel()
|
||||
doc.delete()
|
@ -147,7 +147,7 @@ class Student(Document):
|
||||
enrollment.save(ignore_permissions=True)
|
||||
except frappe.exceptions.ValidationError:
|
||||
enrollment_name = frappe.get_list("Course Enrollment", filters={"student": self.name, "course": course_name, "program_enrollment": program_enrollment})[0].name
|
||||
return frappe.get_doc("Program Enrollment", enrollment_name)
|
||||
return frappe.get_doc("Course Enrollment", enrollment_name)
|
||||
else:
|
||||
return enrollment
|
||||
|
||||
|
@ -42,6 +42,16 @@ class TestStudent(unittest.TestCase):
|
||||
self.assertTrue("_Test Course 2" in course_enrollments.keys())
|
||||
frappe.db.rollback()
|
||||
|
||||
def tearDown(self):
|
||||
for entry in frappe.db.get_all("Course Enrollment"):
|
||||
frappe.delete_doc("Course Enrollment", entry.name)
|
||||
|
||||
for entry in frappe.db.get_all("Program Enrollment"):
|
||||
doc = frappe.get_doc("Program Enrollment", entry.name)
|
||||
doc.cancel()
|
||||
doc.delete()
|
||||
|
||||
|
||||
def create_student(student_dict):
|
||||
student = get_student(student_dict['email'])
|
||||
if not student:
|
||||
|
@ -51,12 +51,14 @@
|
||||
"fieldname": "admission_start_date",
|
||||
"fieldtype": "Date",
|
||||
"label": "Admission Start Date",
|
||||
"mandatory_depends_on": "enable_admission_application",
|
||||
"no_copy": 1
|
||||
},
|
||||
{
|
||||
"fieldname": "admission_end_date",
|
||||
"fieldtype": "Date",
|
||||
"label": "Admission End Date",
|
||||
"mandatory_depends_on": "enable_admission_application",
|
||||
"no_copy": 1
|
||||
},
|
||||
{
|
||||
@ -83,6 +85,7 @@
|
||||
},
|
||||
{
|
||||
"default": "0",
|
||||
"depends_on": "published",
|
||||
"fieldname": "enable_admission_application",
|
||||
"fieldtype": "Check",
|
||||
"label": "Enable Admission Application"
|
||||
@ -91,7 +94,7 @@
|
||||
"has_web_view": 1,
|
||||
"is_published_field": "published",
|
||||
"links": [],
|
||||
"modified": "2020-06-15 20:18:38.591626",
|
||||
"modified": "2020-09-18 00:14:54.615321",
|
||||
"modified_by": "Administrator",
|
||||
"module": "Education",
|
||||
"name": "Student Admission",
|
||||
|
@ -19,6 +19,9 @@ class StudentAdmission(WebsiteGenerator):
|
||||
if not self.route: #pylint: disable=E0203
|
||||
self.route = "admissions/" + "-".join(self.title.split(" "))
|
||||
|
||||
if self.enable_admission_application and not self.program_details:
|
||||
frappe.throw(_("Please add programs to enable admission application."))
|
||||
|
||||
def get_context(self, context):
|
||||
context.no_cache = 1
|
||||
context.show_sidebar = True
|
||||
|
@ -43,31 +43,35 @@
|
||||
<thead>
|
||||
<tr class="active">
|
||||
<th style="width: 90px">Program/Std.</th>
|
||||
<th style="width: 170px">Minumum Age</th>
|
||||
<th style="width: 170px">Maximum Age</th>
|
||||
<th style="width: 180px">Description</th>
|
||||
<th style="width: 100px">Minumum Age</th>
|
||||
<th style="width: 100px">Maximum Age</th>
|
||||
<th style="width: 100px">Application Fee</th>
|
||||
{%- if doc.enable_admission_application and frappe.utils.getdate(doc.admission_start_date) <= today -%}
|
||||
<th style="width: 120px"></th>
|
||||
{% endif %}
|
||||
</tr>
|
||||
</thead>
|
||||
<tbody>
|
||||
{% for row in program_details %}
|
||||
<tr>
|
||||
<td>{{ row.program }}</td>
|
||||
<td><div class="text-muted">{{ row.description if row.description else '' }}</div></td>
|
||||
<td>{{ row.min_age }}</td>
|
||||
<td>{{ row.max_age }}</td>
|
||||
<td>{{ row.application_fee }}</td>
|
||||
{%- if doc.enable_admission_application and frappe.utils.getdate(doc.admission_start_date) <= today -%}
|
||||
<td>
|
||||
<a class='btn btn-sm btn-primary' href='/student-applicant?new=1&student_admission={{doc.name}}&program={{row.program}}&academic_year={{academic_year}}'>
|
||||
{{ _("Apply Now") }}
|
||||
</a>
|
||||
</td>
|
||||
{% endif %}
|
||||
</tr>
|
||||
{% endfor %}
|
||||
</tbody>
|
||||
</table>
|
||||
</div>
|
||||
{% endif %}
|
||||
{%- if doc.enable_admission_application -%}
|
||||
<br>
|
||||
<p>
|
||||
<a class='btn btn-primary'
|
||||
href='/student-applicant?new=1&student_admission={{doc.name}}'>
|
||||
{{ _("Apply Now") }}</a>
|
||||
</p>
|
||||
{% endif %}
|
||||
|
||||
{% endblock %}
|
||||
|
@ -1,8 +1,8 @@
|
||||
<div class="web-list-item">
|
||||
<div class="web-list-item transaction-list-item">
|
||||
{% set today = frappe.utils.getdate(frappe.utils.nowdate()) %}
|
||||
<a href = "{{ doc.route }}/">
|
||||
<a href = "{{ doc.route }}/" class="no-underline">
|
||||
<div class="row">
|
||||
<div class="col-sm-6 text-left small bold" style="margin-top: -3px;"">
|
||||
<div class="col-sm-4 bold">
|
||||
<span class="indicator
|
||||
{% if frappe.utils.getdate(doc.admission_end_date) == today %}
|
||||
red
|
||||
@ -15,6 +15,14 @@
|
||||
{% endif %}
|
||||
">{{ doc.title }}</span>
|
||||
</div>
|
||||
<div class="col-sm-2 small">
|
||||
<span class="text-muted">
|
||||
Academic Year
|
||||
</span>
|
||||
<div class="text-muted bold">
|
||||
{{ doc.academic_year }}
|
||||
</div>
|
||||
</div>
|
||||
<div class="col-sm-3 small">
|
||||
<span class="text-muted">
|
||||
Starts on
|
||||
@ -27,7 +35,7 @@
|
||||
<span class="text-muted">
|
||||
Ends on
|
||||
</span>
|
||||
<div class="bold">
|
||||
<div class=" text-muted bold">
|
||||
{{ frappe.format_date(doc.admission_end_date) }}
|
||||
</div>
|
||||
</div>
|
||||
|
@ -8,6 +8,7 @@
|
||||
"program",
|
||||
"min_age",
|
||||
"max_age",
|
||||
"description",
|
||||
"column_break_4",
|
||||
"application_fee",
|
||||
"applicant_naming_series"
|
||||
@ -18,52 +19,47 @@
|
||||
"fieldtype": "Link",
|
||||
"in_list_view": 1,
|
||||
"label": "Program",
|
||||
"options": "Program",
|
||||
"show_days": 1,
|
||||
"show_seconds": 1
|
||||
"options": "Program"
|
||||
},
|
||||
{
|
||||
"fieldname": "column_break_4",
|
||||
"fieldtype": "Column Break",
|
||||
"show_days": 1,
|
||||
"show_seconds": 1
|
||||
"fieldtype": "Column Break"
|
||||
},
|
||||
{
|
||||
"fieldname": "application_fee",
|
||||
"fieldtype": "Currency",
|
||||
"in_list_view": 1,
|
||||
"label": "Application Fee",
|
||||
"show_days": 1,
|
||||
"show_seconds": 1
|
||||
"label": "Application Fee"
|
||||
},
|
||||
{
|
||||
"fieldname": "applicant_naming_series",
|
||||
"fieldtype": "Data",
|
||||
"in_list_view": 1,
|
||||
"label": "Naming Series (for Student Applicant)",
|
||||
"show_days": 1,
|
||||
"show_seconds": 1
|
||||
"label": "Naming Series (for Student Applicant)"
|
||||
},
|
||||
{
|
||||
"fieldname": "min_age",
|
||||
"fieldtype": "Int",
|
||||
"in_list_view": 1,
|
||||
"label": "Minimum Age",
|
||||
"show_days": 1,
|
||||
"show_seconds": 1
|
||||
"label": "Minimum Age"
|
||||
},
|
||||
{
|
||||
"fieldname": "max_age",
|
||||
"fieldtype": "Int",
|
||||
"in_list_view": 1,
|
||||
"label": "Maximum Age",
|
||||
"show_days": 1,
|
||||
"show_seconds": 1
|
||||
"label": "Maximum Age"
|
||||
},
|
||||
{
|
||||
"fetch_from": "program.description",
|
||||
"fetch_if_empty": 1,
|
||||
"fieldname": "description",
|
||||
"fieldtype": "Small Text",
|
||||
"label": "Description"
|
||||
}
|
||||
],
|
||||
"istable": 1,
|
||||
"links": [],
|
||||
"modified": "2020-06-10 23:06:30.037404",
|
||||
"modified": "2020-10-05 13:03:42.005985",
|
||||
"modified_by": "Administrator",
|
||||
"module": "Education",
|
||||
"name": "Student Admission Program",
|
||||
|
@ -168,6 +168,7 @@
|
||||
"fieldname": "student_email_id",
|
||||
"fieldtype": "Data",
|
||||
"label": "Student Email Address",
|
||||
"options": "Email",
|
||||
"unique": 1
|
||||
},
|
||||
{
|
||||
@ -261,7 +262,7 @@
|
||||
"image_field": "image",
|
||||
"is_submittable": 1,
|
||||
"links": [],
|
||||
"modified": "2020-09-07 19:31:30.063563",
|
||||
"modified": "2020-10-05 13:59:45.631647",
|
||||
"modified_by": "Administrator",
|
||||
"module": "Education",
|
||||
"name": "Student Applicant",
|
||||
|
@ -70,19 +70,7 @@
|
||||
"show_in_filter": 0
|
||||
},
|
||||
{
|
||||
"allow_read_on_all_link_options": 0,
|
||||
"fieldname": "image",
|
||||
"fieldtype": "Data",
|
||||
"hidden": 0,
|
||||
"label": "Image",
|
||||
"max_length": 0,
|
||||
"max_value": 0,
|
||||
"read_only": 0,
|
||||
"reqd": 0,
|
||||
"show_in_filter": 0
|
||||
},
|
||||
{
|
||||
"allow_read_on_all_link_options": 0,
|
||||
"allow_read_on_all_link_options": 1,
|
||||
"fieldname": "program",
|
||||
"fieldtype": "Link",
|
||||
"hidden": 0,
|
||||
@ -95,7 +83,7 @@
|
||||
"show_in_filter": 0
|
||||
},
|
||||
{
|
||||
"allow_read_on_all_link_options": 0,
|
||||
"allow_read_on_all_link_options": 1,
|
||||
"fieldname": "academic_year",
|
||||
"fieldtype": "Link",
|
||||
"hidden": 0,
|
||||
@ -107,6 +95,19 @@
|
||||
"reqd": 0,
|
||||
"show_in_filter": 0
|
||||
},
|
||||
{
|
||||
"allow_read_on_all_link_options": 1,
|
||||
"fieldname": "academic_term",
|
||||
"fieldtype": "Link",
|
||||
"hidden": 0,
|
||||
"label": "Academic Term",
|
||||
"max_length": 0,
|
||||
"max_value": 0,
|
||||
"options": "Academic Term",
|
||||
"read_only": 0,
|
||||
"reqd": 0,
|
||||
"show_in_filter": 0
|
||||
},
|
||||
{
|
||||
"allow_read_on_all_link_options": 0,
|
||||
"fieldname": "date_of_birth",
|
||||
@ -119,6 +120,19 @@
|
||||
"reqd": 0,
|
||||
"show_in_filter": 0
|
||||
},
|
||||
{
|
||||
"allow_read_on_all_link_options": 1,
|
||||
"fieldname": "gender",
|
||||
"fieldtype": "Link",
|
||||
"hidden": 0,
|
||||
"label": "Gender",
|
||||
"max_length": 0,
|
||||
"max_value": 0,
|
||||
"options": "Gender",
|
||||
"read_only": 0,
|
||||
"reqd": 0,
|
||||
"show_in_filter": 0
|
||||
},
|
||||
{
|
||||
"allow_read_on_all_link_options": 0,
|
||||
"fieldname": "blood_group",
|
||||
@ -141,7 +155,7 @@
|
||||
"max_length": 0,
|
||||
"max_value": 0,
|
||||
"read_only": 0,
|
||||
"reqd": 0,
|
||||
"reqd": 1,
|
||||
"show_in_filter": 0
|
||||
},
|
||||
{
|
||||
@ -206,19 +220,6 @@
|
||||
"reqd": 0,
|
||||
"show_in_filter": 0
|
||||
},
|
||||
{
|
||||
"allow_read_on_all_link_options": 0,
|
||||
"fieldname": "guardians",
|
||||
"fieldtype": "Table",
|
||||
"hidden": 0,
|
||||
"label": "Guardians",
|
||||
"max_length": 0,
|
||||
"max_value": 0,
|
||||
"options": "Student Guardian",
|
||||
"read_only": 0,
|
||||
"reqd": 0,
|
||||
"show_in_filter": 0
|
||||
},
|
||||
{
|
||||
"allow_read_on_all_link_options": 0,
|
||||
"fieldname": "siblings",
|
||||
|
@ -21,11 +21,16 @@ web_include_js = "assets/js/erpnext-web.min.js"
|
||||
web_include_css = "assets/css/erpnext-web.css"
|
||||
|
||||
doctype_js = {
|
||||
"Address": "public/js/address.js",
|
||||
"Communication": "public/js/communication.js",
|
||||
"Event": "public/js/event.js",
|
||||
"Newsletter": "public/js/newsletter.js"
|
||||
}
|
||||
|
||||
override_doctype_class = {
|
||||
'Address': 'erpnext.accounts.custom.address.ERPNextAddress'
|
||||
}
|
||||
|
||||
welcome_email = "erpnext.setup.utils.welcome_email"
|
||||
|
||||
# setup wizard
|
||||
@ -566,4 +571,4 @@ global_search_doctypes = {
|
||||
{'doctype': 'Hotel Room Package', 'index': 3},
|
||||
{'doctype': 'Hotel Room Type', 'index': 4}
|
||||
]
|
||||
}
|
||||
}
|
||||
|
@ -6,18 +6,28 @@ from __future__ import unicode_literals
|
||||
import frappe
|
||||
import unittest
|
||||
from frappe.utils import nowdate,flt, cstr,random_string
|
||||
from erpnext.hr.doctype.employee.test_employee import make_employee
|
||||
from erpnext.hr.doctype.vehicle_log.vehicle_log import make_expense_claim
|
||||
|
||||
class TestVehicleLog(unittest.TestCase):
|
||||
def setUp(self):
|
||||
employee_id = frappe.db.sql("""select name from `tabEmployee` where name='testdriver@example.com'""")
|
||||
self.employee_id = employee_id[0][0] if employee_id else None
|
||||
|
||||
if not self.employee_id:
|
||||
self.employee_id = make_employee("testdriver@example.com", company="_Test Company")
|
||||
|
||||
self.license_plate = get_vehicle(self.employee_id)
|
||||
|
||||
def tearDown(self):
|
||||
frappe.delete_doc("Vehicle", self.license_plate, force=1)
|
||||
frappe.delete_doc("Employee", self.employee_id, force=1)
|
||||
|
||||
def test_make_vehicle_log_and_syncing_of_odometer_value(self):
|
||||
employee_id = frappe.db.sql("""select name from `tabEmployee` where status='Active' order by modified desc limit 1""")
|
||||
employee_id = employee_id[0][0] if employee_id else None
|
||||
|
||||
license_plate = get_vehicle(employee_id)
|
||||
|
||||
vehicle_log = frappe.get_doc({
|
||||
"doctype": "Vehicle Log",
|
||||
"license_plate": cstr(license_plate),
|
||||
"employee":employee_id,
|
||||
"license_plate": cstr(self.license_plate),
|
||||
"employee": self.employee_id,
|
||||
"date":frappe.utils.nowdate(),
|
||||
"odometer":5010,
|
||||
"fuel_qty":frappe.utils.flt(50),
|
||||
@ -27,7 +37,7 @@ class TestVehicleLog(unittest.TestCase):
|
||||
vehicle_log.submit()
|
||||
|
||||
#checking value of vehicle odometer value on submit.
|
||||
vehicle = frappe.get_doc("Vehicle", license_plate)
|
||||
vehicle = frappe.get_doc("Vehicle", self.license_plate)
|
||||
self.assertEqual(vehicle.last_odometer, vehicle_log.odometer)
|
||||
|
||||
#checking value vehicle odometer on vehicle log cancellation.
|
||||
@ -40,6 +50,28 @@ class TestVehicleLog(unittest.TestCase):
|
||||
|
||||
self.assertEqual(vehicle.last_odometer, current_odometer - distance_travelled)
|
||||
|
||||
vehicle_log.delete()
|
||||
|
||||
def test_vehicle_log_fuel_expense(self):
|
||||
vehicle_log = frappe.get_doc({
|
||||
"doctype": "Vehicle Log",
|
||||
"license_plate": cstr(self.license_plate),
|
||||
"employee": self.employee_id,
|
||||
"date": frappe.utils.nowdate(),
|
||||
"odometer":5010,
|
||||
"fuel_qty":frappe.utils.flt(50),
|
||||
"price": frappe.utils.flt(500)
|
||||
})
|
||||
vehicle_log.save()
|
||||
vehicle_log.submit()
|
||||
|
||||
expense_claim = make_expense_claim(vehicle_log.name)
|
||||
fuel_expense = expense_claim.expenses[0].amount
|
||||
self.assertEqual(fuel_expense, 50*500)
|
||||
|
||||
vehicle_log.cancel()
|
||||
frappe.delete_doc("Expense Claim", expense_claim.name)
|
||||
frappe.delete_doc("Vehicle Log", vehicle_log.name)
|
||||
|
||||
def get_vehicle(employee_id):
|
||||
license_plate=random_string(10).upper()
|
||||
|
@ -32,7 +32,7 @@ def make_expense_claim(docname):
|
||||
vehicle_log = frappe.get_doc("Vehicle Log", docname)
|
||||
service_expense = sum([flt(d.expense_amount) for d in vehicle_log.service_detail])
|
||||
|
||||
claim_amount = service_expense + flt(vehicle_log.price)
|
||||
claim_amount = service_expense + (flt(vehicle_log.price) * flt(vehicle_log.fuel_qty) or 1)
|
||||
if not claim_amount:
|
||||
frappe.throw(_("No additional expenses has been added"))
|
||||
|
||||
|
@ -322,12 +322,13 @@ class ProductionPlan(Document):
|
||||
work_orders = []
|
||||
bom_data = {}
|
||||
|
||||
get_sub_assembly_items(item.get("bom_no"), bom_data)
|
||||
get_sub_assembly_items(item.get("bom_no"), bom_data, item.get("qty"))
|
||||
|
||||
for key, data in bom_data.items():
|
||||
data.update({
|
||||
'qty': data.get("stock_qty") * item.get("qty"),
|
||||
'qty': data.get("stock_qty"),
|
||||
'production_plan': self.name,
|
||||
'use_multi_level_bom': item.get("use_multi_level_bom"),
|
||||
'company': self.company,
|
||||
'fg_warehouse': item.get("fg_warehouse"),
|
||||
'update_consumed_material_cost_in_project': 0
|
||||
@ -781,7 +782,7 @@ def get_item_data(item_code):
|
||||
# "description": item_details.get("description")
|
||||
}
|
||||
|
||||
def get_sub_assembly_items(bom_no, bom_data):
|
||||
def get_sub_assembly_items(bom_no, bom_data, to_produce_qty):
|
||||
data = get_children('BOM', parent = bom_no)
|
||||
for d in data:
|
||||
if d.expandable:
|
||||
@ -798,6 +799,6 @@ def get_sub_assembly_items(bom_no, bom_data):
|
||||
})
|
||||
|
||||
bom_item = bom_data.get(key)
|
||||
bom_item["stock_qty"] += d.stock_qty / d.parent_bom_qty
|
||||
bom_item["stock_qty"] += (d.stock_qty / d.parent_bom_qty) * flt(to_produce_qty)
|
||||
|
||||
get_sub_assembly_items(bom_item.get("bom_no"), bom_data)
|
||||
get_sub_assembly_items(bom_item.get("bom_no"), bom_data, bom_item["stock_qty"])
|
||||
|
@ -158,6 +158,46 @@ class TestProductionPlan(unittest.TestCase):
|
||||
self.assertTrue(mr.material_request_type, 'Customer Provided')
|
||||
self.assertTrue(mr.customer, '_Test Customer')
|
||||
|
||||
def test_production_plan_with_multi_level_bom(self):
|
||||
#|Item Code | Qty |
|
||||
#|Test BOM 1 | 1 |
|
||||
#| Test BOM 2 | 2 |
|
||||
#| Test BOM 3 | 3 |
|
||||
|
||||
for item_code in ["Test BOM 1", "Test BOM 2", "Test BOM 3", "Test RM BOM 1"]:
|
||||
create_item(item_code, is_stock_item=1)
|
||||
|
||||
# created bom upto 3 level
|
||||
if not frappe.db.get_value('BOM', {'item': "Test BOM 3"}):
|
||||
make_bom(item = "Test BOM 3", raw_materials = ["Test RM BOM 1"], rm_qty=3)
|
||||
|
||||
if not frappe.db.get_value('BOM', {'item': "Test BOM 2"}):
|
||||
make_bom(item = "Test BOM 2", raw_materials = ["Test BOM 3"], rm_qty=3)
|
||||
|
||||
if not frappe.db.get_value('BOM', {'item': "Test BOM 1"}):
|
||||
make_bom(item = "Test BOM 1", raw_materials = ["Test BOM 2"], rm_qty=2)
|
||||
|
||||
item_code = "Test BOM 1"
|
||||
pln = frappe.new_doc('Production Plan')
|
||||
pln.company = "_Test Company"
|
||||
pln.append("po_items", {
|
||||
"item_code": item_code,
|
||||
"bom_no": frappe.db.get_value('BOM', {'item': "Test BOM 1"}),
|
||||
"planned_qty": 3,
|
||||
"make_work_order_for_sub_assembly_items": 1
|
||||
})
|
||||
|
||||
pln.submit()
|
||||
pln.make_work_order()
|
||||
|
||||
#last level sub-assembly work order produce qty
|
||||
to_produce_qty = frappe.db.get_value("Work Order",
|
||||
{"production_plan": pln.name, "production_item": "Test BOM 3"}, "qty")
|
||||
|
||||
self.assertEqual(to_produce_qty, 18.0)
|
||||
pln.cancel()
|
||||
frappe.delete_doc("Production Plan", pln.name)
|
||||
|
||||
def create_production_plan(**args):
|
||||
args = frappe._dict(args)
|
||||
|
||||
@ -205,12 +245,16 @@ def make_bom(**args):
|
||||
|
||||
bom.append('items', {
|
||||
'item_code': item,
|
||||
'qty': 1,
|
||||
'qty': args.rm_qty or 1.0,
|
||||
'uom': item_doc.stock_uom,
|
||||
'stock_uom': item_doc.stock_uom,
|
||||
'rate': item_doc.valuation_rate or args.rate,
|
||||
})
|
||||
|
||||
bom.insert(ignore_permissions=True)
|
||||
bom.submit()
|
||||
return bom
|
||||
if not args.do_not_save:
|
||||
bom.insert(ignore_permissions=True)
|
||||
|
||||
if not args.do_not_submit:
|
||||
bom.submit()
|
||||
|
||||
return bom
|
||||
|
@ -407,6 +407,49 @@ class TestWorkOrder(unittest.TestCase):
|
||||
ste1 = frappe.get_doc(make_stock_entry(wo.name, "Manufacture", 1))
|
||||
self.assertEqual(len(ste1.items), 3)
|
||||
|
||||
def test_operation_time_with_batch_size(self):
|
||||
fg_item = "Test Batch Size Item For BOM"
|
||||
rm1 = "Test Batch Size Item RM 1 For BOM"
|
||||
|
||||
for item in ["Test Batch Size Item For BOM", "Test Batch Size Item RM 1 For BOM"]:
|
||||
make_item(item, {
|
||||
"include_item_in_manufacturing": 1,
|
||||
"is_stock_item": 1
|
||||
})
|
||||
|
||||
bom_name = frappe.db.get_value("BOM",
|
||||
{"item": fg_item, "is_active": 1, "with_operations": 1}, "name")
|
||||
|
||||
if not bom_name:
|
||||
bom = make_bom(item=fg_item, rate=1000, raw_materials = [rm1], do_not_save=True)
|
||||
bom.with_operations = 1
|
||||
bom.append("operations", {
|
||||
"operation": "_Test Operation 1",
|
||||
"workstation": "_Test Workstation 1",
|
||||
"description": "Test Data",
|
||||
"operating_cost": 100,
|
||||
"time_in_mins": 40,
|
||||
"batch_size": 5
|
||||
})
|
||||
|
||||
bom.save()
|
||||
bom.submit()
|
||||
bom_name = bom.name
|
||||
|
||||
work_order = make_wo_order_test_record(item=fg_item,
|
||||
planned_start_date=now(), qty=1, do_not_save=True)
|
||||
|
||||
work_order.set_work_order_operations()
|
||||
work_order.save()
|
||||
self.assertEqual(work_order.operations[0].time_in_mins, 8.0)
|
||||
|
||||
work_order1 = make_wo_order_test_record(item=fg_item,
|
||||
planned_start_date=now(), qty=5, do_not_save=True)
|
||||
|
||||
work_order1.set_work_order_operations()
|
||||
work_order1.save()
|
||||
self.assertEqual(work_order1.operations[0].time_in_mins, 40.0)
|
||||
|
||||
def get_scrap_item_details(bom_no):
|
||||
scrap_items = {}
|
||||
for item in frappe.db.sql("""select item_code, stock_qty from `tabBOM Scrap Item`
|
||||
|
@ -403,7 +403,7 @@ class WorkOrder(Document):
|
||||
bom_qty = frappe.db.get_value("BOM", self.bom_no, "quantity")
|
||||
|
||||
for d in self.get("operations"):
|
||||
d.time_in_mins = flt(d.time_in_mins) / flt(bom_qty) * math.ceil(flt(self.qty) / flt(d.batch_size))
|
||||
d.time_in_mins = flt(d.time_in_mins) / flt(bom_qty) * (flt(self.qty) / flt(d.batch_size))
|
||||
|
||||
self.calculate_operating_cost()
|
||||
|
||||
|
@ -6,7 +6,6 @@ from __future__ import unicode_literals
|
||||
import frappe
|
||||
from frappe import _
|
||||
from frappe.utils import time_diff_in_hours, flt
|
||||
from frappe.model.meta import get_field_precision
|
||||
|
||||
def get_columns():
|
||||
return [
|
||||
|
25
erpnext/public/js/address.js
Normal file
25
erpnext/public/js/address.js
Normal file
@ -0,0 +1,25 @@
|
||||
// Copyright (c) 2016, Frappe Technologies and contributors
|
||||
// For license information, please see license.txt
|
||||
|
||||
frappe.ui.form.on("Address", {
|
||||
is_your_company_address: function(frm) {
|
||||
frm.clear_table('links');
|
||||
if(frm.doc.is_your_company_address) {
|
||||
frm.add_child('links', {
|
||||
link_doctype: 'Company',
|
||||
link_name: frappe.defaults.get_user_default('Company')
|
||||
});
|
||||
frm.set_query('link_doctype', 'links', () => {
|
||||
return {
|
||||
filters: {
|
||||
name: 'Company'
|
||||
}
|
||||
};
|
||||
});
|
||||
frm.refresh_field('links');
|
||||
}
|
||||
else {
|
||||
frm.trigger('refresh');
|
||||
}
|
||||
}
|
||||
});
|
@ -277,7 +277,7 @@ erpnext.utils.validate_mandatory = function(frm, label, value, trigger_on) {
|
||||
erpnext.utils.get_shipping_address = function(frm, callback){
|
||||
if (frm.doc.company) {
|
||||
frappe.call({
|
||||
method: "frappe.contacts.doctype.address.address.get_shipping_address",
|
||||
method: "erpnext.accounts.custom.address.get_shipping_address",
|
||||
args: {
|
||||
company: frm.doc.company,
|
||||
address: frm.doc.shipping_address
|
||||
|
@ -10,5 +10,13 @@ frappe.ui.form.on('Quality Procedure', {
|
||||
}
|
||||
};
|
||||
});
|
||||
|
||||
frm.set_query('parent_quality_procedure', function(){
|
||||
return {
|
||||
filters: {
|
||||
is_group: 1
|
||||
}
|
||||
};
|
||||
});
|
||||
}
|
||||
});
|
@ -21,8 +21,7 @@
|
||||
"fieldname": "parent_quality_procedure",
|
||||
"fieldtype": "Link",
|
||||
"label": "Parent Procedure",
|
||||
"options": "Quality Procedure",
|
||||
"read_only": 1
|
||||
"options": "Quality Procedure"
|
||||
},
|
||||
{
|
||||
"default": "0",
|
||||
@ -73,7 +72,7 @@
|
||||
],
|
||||
"is_tree": 1,
|
||||
"links": [],
|
||||
"modified": "2020-06-17 17:25:03.434953",
|
||||
"modified": "2020-10-13 11:46:07.744194",
|
||||
"modified_by": "Administrator",
|
||||
"module": "Quality Management",
|
||||
"name": "Quality Procedure",
|
||||
|
@ -4,7 +4,7 @@
|
||||
|
||||
from __future__ import unicode_literals
|
||||
import frappe
|
||||
from frappe.utils.nestedset import NestedSet
|
||||
from frappe.utils.nestedset import NestedSet, rebuild_tree
|
||||
from frappe import _
|
||||
|
||||
class QualityProcedure(NestedSet):
|
||||
@ -42,6 +42,8 @@ class QualityProcedure(NestedSet):
|
||||
doc.save(ignore_permissions=True)
|
||||
|
||||
def set_parent(self):
|
||||
rebuild_tree('Quality Procedure', 'parent_quality_procedure')
|
||||
|
||||
for process in self.processes:
|
||||
# Set parent for only those children who don't have a parent
|
||||
parent_quality_procedure = frappe.db.get_value("Quality Procedure", process.procedure, "parent_quality_procedure")
|
||||
|
@ -5,7 +5,7 @@ from __future__ import unicode_literals
|
||||
import frappe
|
||||
import json
|
||||
import frappe.utils
|
||||
from frappe.utils import cstr, flt, getdate, cint, nowdate, add_days, get_link_to_form
|
||||
from frappe.utils import cstr, flt, getdate, cint, nowdate, add_days, get_link_to_form, strip_html
|
||||
from frappe import _
|
||||
from six import string_types
|
||||
from frappe.model.utils import get_fetch_values
|
||||
@ -993,15 +993,20 @@ def make_raw_material_request(items, company, sales_order, project=None):
|
||||
))
|
||||
for item in raw_materials:
|
||||
item_doc = frappe.get_cached_doc('Item', item.get('item_code'))
|
||||
|
||||
schedule_date = add_days(nowdate(), cint(item_doc.lead_time_days))
|
||||
material_request.append('items', {
|
||||
'item_code': item.get('item_code'),
|
||||
'qty': item.get('quantity'),
|
||||
'schedule_date': schedule_date,
|
||||
'warehouse': item.get('warehouse'),
|
||||
'sales_order': sales_order,
|
||||
'project': project
|
||||
row = material_request.append('items', {
|
||||
'item_code': item.get('item_code'),
|
||||
'qty': item.get('quantity'),
|
||||
'schedule_date': schedule_date,
|
||||
'warehouse': item.get('warehouse'),
|
||||
'sales_order': sales_order,
|
||||
'project': project
|
||||
})
|
||||
|
||||
if not (strip_html(item.get("description")) and strip_html(item_doc.description)):
|
||||
row.description = item_doc.item_name or item.get('item_code')
|
||||
|
||||
material_request.insert()
|
||||
material_request.flags.ignore_permissions = 1
|
||||
material_request.run_method("set_missing_values")
|
||||
|
@ -43,7 +43,7 @@
|
||||
{
|
||||
"hidden": 0,
|
||||
"label": "Data Import and Settings",
|
||||
"links": "[\n {\n \"description\": \"Import Data from CSV / Excel files.\",\n \"icon\": \"octicon octicon-cloud-upload\",\n \"label\": \"Import Data\",\n \"name\": \"Data Import\",\n \"onboard\": 1,\n \"type\": \"doctype\"\n },\n {\n \"description\": \"Import Chart Of Accounts from CSV / Excel files\",\n \"labe\": \"Chart Of Accounts Importer\",\n \"label\": \"Chart of Accounts Importer\",\n \"name\": \"Chart of Accounts Importer\",\n \"onboard\": 1,\n \"type\": \"doctype\"\n },\n {\n \"description\": \"Letter Heads for print templates.\",\n \"label\": \"Letter Head\",\n \"name\": \"Letter Head\",\n \"onboard\": 1,\n \"type\": \"doctype\"\n },\n {\n \"description\": \"Add / Manage Email Accounts.\",\n \"label\": \"Email Account\",\n \"name\": \"Email Account\",\n \"onboard\": 1,\n \"type\": \"doctype\"\n }\n]"
|
||||
"links": "[\n {\n \"description\": \"Import Data from CSV / Excel files.\",\n \"icon\": \"octicon octicon-cloud-upload\",\n \"label\": \"Import Data\",\n \"name\": \"Data Import\",\n \"onboard\": 1,\n \"type\": \"doctype\"\n },\n {\n \"description\": \"Import Chart of Accounts from CSV / Excel files\",\n \"label\": \"Chart of Accounts Importer\",\n \"label\": \"Chart of Accounts Importer\",\n \"name\": \"Chart of Accounts Importer\",\n \"onboard\": 1,\n \"type\": \"doctype\"\n },\n {\n \"description\": \"Letter Heads for print templates.\",\n \"label\": \"Letter Head\",\n \"name\": \"Letter Head\",\n \"onboard\": 1,\n \"type\": \"doctype\"\n },\n {\n \"description\": \"Add / Manage Email Accounts.\",\n \"label\": \"Email Account\",\n \"name\": \"Email Account\",\n \"onboard\": 1,\n \"type\": \"doctype\"\n }\n]"
|
||||
}
|
||||
],
|
||||
"category": "Modules",
|
||||
|
@ -261,14 +261,14 @@
|
||||
{
|
||||
"fieldname": "create_chart_of_accounts_based_on",
|
||||
"fieldtype": "Select",
|
||||
"label": "Create Chart Of Accounts Based On",
|
||||
"label": "Create Chart of Accounts Based on",
|
||||
"options": "\nStandard Template\nExisting Company"
|
||||
},
|
||||
{
|
||||
"depends_on": "eval:doc.create_chart_of_accounts_based_on===\"Standard Template\"",
|
||||
"fieldname": "chart_of_accounts",
|
||||
"fieldtype": "Select",
|
||||
"label": "Chart Of Accounts Template",
|
||||
"label": "Chart of Accounts Template",
|
||||
"no_copy": 1
|
||||
},
|
||||
{
|
||||
|
@ -296,7 +296,7 @@ class PurchaseReceipt(BuyingController):
|
||||
if self.is_return or flt(d.item_tax_amount):
|
||||
loss_account = expenses_included_in_valuation
|
||||
else:
|
||||
loss_account = stock_rbnb
|
||||
loss_account = self.get_company_default("default_expense_account")
|
||||
|
||||
gl_entries.append(self.get_gl_dict({
|
||||
"account": loss_account,
|
||||
|
@ -6,7 +6,7 @@ import unittest
|
||||
import json
|
||||
import frappe, erpnext
|
||||
import frappe.defaults
|
||||
from frappe.utils import cint, flt, cstr, today, random_string
|
||||
from frappe.utils import cint, flt, cstr, today, random_string, add_days
|
||||
from erpnext.stock.doctype.purchase_receipt.purchase_receipt import make_purchase_invoice
|
||||
from erpnext.stock.doctype.item.test_item import create_item
|
||||
from erpnext import set_perpetual_inventory
|
||||
@ -665,6 +665,59 @@ class TestPurchaseReceipt(unittest.TestCase):
|
||||
warehouse.account = ''
|
||||
warehouse.save()
|
||||
|
||||
def test_backdated_purchase_receipt(self):
|
||||
# make purchase receipt for default company
|
||||
make_purchase_receipt(company="_Test Company 4", warehouse="Stores - _TC4")
|
||||
|
||||
# try to make another backdated PR
|
||||
posting_date = add_days(today(), -1)
|
||||
pr = make_purchase_receipt(company="_Test Company 4", warehouse="Stores - _TC4",
|
||||
do_not_submit=True)
|
||||
|
||||
pr.set_posting_time = 1
|
||||
pr.posting_date = posting_date
|
||||
pr.save()
|
||||
|
||||
self.assertRaises(frappe.ValidationError, pr.submit)
|
||||
|
||||
# make purchase receipt for other company backdated
|
||||
pr = make_purchase_receipt(company="_Test Company 5", warehouse="Stores - _TC5",
|
||||
do_not_submit=True)
|
||||
|
||||
pr.set_posting_time = 1
|
||||
pr.posting_date = posting_date
|
||||
pr.submit()
|
||||
|
||||
# Allowed to submit for other company's PR
|
||||
self.assertEqual(pr.docstatus, 1)
|
||||
|
||||
def test_backdated_purchase_receipt_for_same_company_different_warehouse(self):
|
||||
# make purchase receipt for default company
|
||||
make_purchase_receipt(company="_Test Company 4", warehouse="Stores - _TC4")
|
||||
|
||||
# try to make another backdated PR
|
||||
posting_date = add_days(today(), -1)
|
||||
pr = make_purchase_receipt(company="_Test Company 4", warehouse="Stores - _TC4",
|
||||
do_not_submit=True)
|
||||
|
||||
pr.set_posting_time = 1
|
||||
pr.posting_date = posting_date
|
||||
pr.save()
|
||||
|
||||
self.assertRaises(frappe.ValidationError, pr.submit)
|
||||
|
||||
# make purchase receipt for other company backdated
|
||||
pr = make_purchase_receipt(company="_Test Company 4", warehouse="Finished Goods - _TC4",
|
||||
do_not_submit=True)
|
||||
|
||||
pr.set_posting_time = 1
|
||||
pr.posting_date = posting_date
|
||||
pr.submit()
|
||||
|
||||
# Allowed to submit for other company's PR
|
||||
self.assertEqual(pr.docstatus, 1)
|
||||
|
||||
|
||||
def get_sl_entries(voucher_type, voucher_no):
|
||||
return frappe.db.sql(""" select actual_qty, warehouse, stock_value_difference
|
||||
from `tabStock Ledger Entry` where voucher_type=%s and voucher_no=%s
|
||||
|
@ -5,7 +5,7 @@
|
||||
from __future__ import unicode_literals
|
||||
import frappe
|
||||
from frappe import _
|
||||
from frappe.utils import flt, getdate, add_days, formatdate
|
||||
from frappe.utils import flt, getdate, add_days, formatdate, get_datetime, date_diff
|
||||
from frappe.model.document import Document
|
||||
from datetime import date
|
||||
from erpnext.controllers.item_variant import ItemTemplateCannotHaveStock
|
||||
@ -33,6 +33,8 @@ class StockLedgerEntry(Document):
|
||||
self.scrub_posting_time()
|
||||
self.validate_and_set_fiscal_year()
|
||||
self.block_transactions_against_group_warehouse()
|
||||
self.validate_with_last_transaction_posting_time()
|
||||
self.validate_future_posting()
|
||||
|
||||
def on_submit(self):
|
||||
self.check_stock_frozen_date()
|
||||
@ -139,6 +141,30 @@ class StockLedgerEntry(Document):
|
||||
from erpnext.stock.utils import is_group_warehouse
|
||||
is_group_warehouse(self.warehouse)
|
||||
|
||||
def validate_with_last_transaction_posting_time(self):
|
||||
last_transaction_time = frappe.db.sql("""
|
||||
select MAX(timestamp(posting_date, posting_time)) as posting_time
|
||||
from `tabStock Ledger Entry`
|
||||
where docstatus = 1 and item_code = %s
|
||||
and warehouse = %s""", (self.item_code, self.warehouse))[0][0]
|
||||
|
||||
cur_doc_posting_datetime = "%s %s" % (self.posting_date, self.get("posting_time") or "00:00:00")
|
||||
|
||||
if last_transaction_time and get_datetime(cur_doc_posting_datetime) < get_datetime(last_transaction_time):
|
||||
msg = _("Last Stock Transaction for item {0} under warehouse {1} was on {2}.").format(frappe.bold(self.item_code),
|
||||
frappe.bold(self.warehouse), frappe.bold(last_transaction_time))
|
||||
|
||||
msg += "<br><br>" + _("Stock Transactions for Item {0} under warehouse {1} cannot be posted before this time.").format(
|
||||
frappe.bold(self.item_code), frappe.bold(self.warehouse))
|
||||
|
||||
msg += "<br><br>" + _("Please remove this item and try to submit again or update the posting time.")
|
||||
frappe.throw(msg, title=_("Backdated Stock Entry"))
|
||||
|
||||
def validate_future_posting(self):
|
||||
if date_diff(self.posting_date, getdate()) > 0:
|
||||
msg = _("Posting future stock transactions are not allowed due to Immutable Ledger")
|
||||
frappe.throw(msg, title=_("Future Posting Not Allowed"))
|
||||
|
||||
def on_doctype_update():
|
||||
if not frappe.db.has_index('tabStock Ledger Entry', 'posting_sort_index'):
|
||||
frappe.db.commit()
|
||||
|
@ -109,6 +109,10 @@ frappe.ui.form.on("Stock Reconciliation", {
|
||||
frappe.model.set_value(cdt, cdn, "current_amount", r.message.rate * r.message.qty);
|
||||
frappe.model.set_value(cdt, cdn, "amount", r.message.rate * r.message.qty);
|
||||
frappe.model.set_value(cdt, cdn, "current_serial_no", r.message.serial_nos);
|
||||
|
||||
if (frm.doc.purpose == "Stock Reconciliation") {
|
||||
frappe.model.set_value(cdt, cdn, "serial_no", r.message.serial_nos);
|
||||
}
|
||||
}
|
||||
});
|
||||
}
|
||||
|
@ -67,6 +67,8 @@ class StockReconciliation(StockController):
|
||||
|
||||
if item_dict.get("serial_nos"):
|
||||
item.current_serial_no = item_dict.get("serial_nos")
|
||||
if self.purpose == "Stock Reconciliation":
|
||||
item.serial_no = item.current_serial_no
|
||||
|
||||
item.current_qty = item_dict.get("qty")
|
||||
item.current_valuation_rate = item_dict.get("rate")
|
||||
|
@ -124,7 +124,7 @@ class TestStockReconciliation(unittest.TestCase):
|
||||
to_delete_records.append(sr.name)
|
||||
|
||||
sr = create_stock_reconciliation(item_code=serial_item_code,
|
||||
warehouse = serial_warehouse, qty=5, rate=300, serial_no = '\n'.join(serial_nos))
|
||||
warehouse = serial_warehouse, qty=5, rate=300)
|
||||
|
||||
serial_nos1 = get_serial_nos(sr.items[0].serial_no)
|
||||
self.assertEqual(len(serial_nos1), 5)
|
||||
|
@ -3,6 +3,14 @@
|
||||
|
||||
frappe.query_reports["Batch-Wise Balance History"] = {
|
||||
"filters": [
|
||||
{
|
||||
"fieldname":"company",
|
||||
"label": __("Company"),
|
||||
"fieldtype": "Link",
|
||||
"options": "Company",
|
||||
"default": frappe.defaults.get_user_default("Company"),
|
||||
"reqd": 1
|
||||
},
|
||||
{
|
||||
"fieldname":"from_date",
|
||||
"label": __("From Date"),
|
||||
@ -20,12 +28,46 @@ frappe.query_reports["Batch-Wise Balance History"] = {
|
||||
"reqd": 1
|
||||
},
|
||||
{
|
||||
"fieldname": "item",
|
||||
"label": __("Item"),
|
||||
"fieldname":"item_code",
|
||||
"label": __("Item Code"),
|
||||
"fieldtype": "Link",
|
||||
"options": "Item",
|
||||
"width": "80"
|
||||
}
|
||||
"get_query": function() {
|
||||
return {
|
||||
filters: {
|
||||
"has_batch_no": 1
|
||||
}
|
||||
};
|
||||
}
|
||||
},
|
||||
{
|
||||
"fieldname":"warehouse",
|
||||
"label": __("Warehouse"),
|
||||
"fieldtype": "Link",
|
||||
"options": "Warehouse",
|
||||
"get_query": function() {
|
||||
let company = frappe.query_report.get_filter_value('company');
|
||||
return {
|
||||
filters: {
|
||||
"company": company
|
||||
}
|
||||
};
|
||||
}
|
||||
},
|
||||
{
|
||||
"fieldname":"batch_no",
|
||||
"label": __("Batch No"),
|
||||
"fieldtype": "Link",
|
||||
"options": "Batch",
|
||||
"get_query": function() {
|
||||
let item_code = frappe.query_report.get_filter_value('item_code');
|
||||
return {
|
||||
filters: {
|
||||
"item": item_code
|
||||
}
|
||||
};
|
||||
}
|
||||
},
|
||||
],
|
||||
"formatter": function (value, row, column, data, default_formatter) {
|
||||
if (column.fieldname == "Batch" && data && !!data["Batch"]) {
|
||||
@ -43,4 +85,4 @@ frappe.query_reports["Batch-Wise Balance History"] = {
|
||||
|
||||
frappe.set_route("query-report", "Stock Ledger");
|
||||
}
|
||||
}
|
||||
}
|
||||
|
@ -57,6 +57,10 @@ def get_conditions(filters):
|
||||
else:
|
||||
frappe.throw(_("'To Date' is required"))
|
||||
|
||||
for field in ["item_code", "warehouse", "batch_no", "company"]:
|
||||
if filters.get(field):
|
||||
conditions += " and {0} = {1}".format(field, frappe.db.escape(filters.get(field)))
|
||||
|
||||
return conditions
|
||||
|
||||
|
||||
|
@ -16,10 +16,11 @@ def execute(filters=None):
|
||||
|
||||
data = []
|
||||
for item, item_dict in iteritems(item_details):
|
||||
earliest_age, latest_age = 0, 0
|
||||
|
||||
fifo_queue = sorted(filter(_func, item_dict["fifo_queue"]), key=_func)
|
||||
details = item_dict["details"]
|
||||
if not fifo_queue or (not item_dict.get("total_qty")): continue
|
||||
if not fifo_queue and (not item_dict.get("total_qty")): continue
|
||||
|
||||
average_age = get_average_age(fifo_queue, to_date)
|
||||
earliest_age = date_diff(to_date, fifo_queue[0][1])
|
||||
@ -60,7 +61,7 @@ def get_range_age(filters, fifo_queue, to_date):
|
||||
range1 = range2 = range3 = above_range3 = 0.0
|
||||
for item in fifo_queue:
|
||||
age = date_diff(to_date, item[1])
|
||||
|
||||
|
||||
if age <= filters.range1:
|
||||
range1 += flt(item[0])
|
||||
elif age <= filters.range2:
|
||||
@ -69,7 +70,7 @@ def get_range_age(filters, fifo_queue, to_date):
|
||||
range3 += flt(item[0])
|
||||
else:
|
||||
above_range3 += flt(item[0])
|
||||
|
||||
|
||||
return range1, range2, range3, above_range3
|
||||
|
||||
def get_columns(filters):
|
||||
@ -170,7 +171,8 @@ def get_fifo_queue(filters, sle=None):
|
||||
item_details.setdefault(key, {"details": d, "fifo_queue": []})
|
||||
fifo_queue = item_details[key]["fifo_queue"]
|
||||
|
||||
transferred_item_details.setdefault((d.voucher_no, d.name), [])
|
||||
transferred_item_key = (d.voucher_no, d.name, d.warehouse)
|
||||
transferred_item_details.setdefault(transferred_item_key, [])
|
||||
|
||||
if d.voucher_type == "Stock Reconciliation":
|
||||
d.actual_qty = flt(d.qty_after_transaction) - flt(item_details[key].get("qty_after_transaction", 0))
|
||||
@ -178,10 +180,10 @@ def get_fifo_queue(filters, sle=None):
|
||||
serial_no_list = get_serial_nos(d.serial_no) if d.serial_no else []
|
||||
|
||||
if d.actual_qty > 0:
|
||||
if transferred_item_details.get((d.voucher_no, d.name)):
|
||||
batch = transferred_item_details[(d.voucher_no, d.name)][0]
|
||||
if transferred_item_details.get(transferred_item_key):
|
||||
batch = transferred_item_details[transferred_item_key][0]
|
||||
fifo_queue.append(batch)
|
||||
transferred_item_details[((d.voucher_no, d.name))].pop(0)
|
||||
transferred_item_details[transferred_item_key].pop(0)
|
||||
else:
|
||||
if serial_no_list:
|
||||
for serial_no in serial_no_list:
|
||||
@ -205,11 +207,11 @@ def get_fifo_queue(filters, sle=None):
|
||||
# if batch qty > 0
|
||||
# not enough or exactly same qty in current batch, clear batch
|
||||
qty_to_pop -= flt(batch[0])
|
||||
transferred_item_details[(d.voucher_no, d.name)].append(fifo_queue.pop(0))
|
||||
transferred_item_details[transferred_item_key].append(fifo_queue.pop(0))
|
||||
else:
|
||||
# all from current batch
|
||||
batch[0] = flt(batch[0]) - qty_to_pop
|
||||
transferred_item_details[(d.voucher_no, d.name)].append([qty_to_pop, batch[1]])
|
||||
transferred_item_details[transferred_item_key].append([qty_to_pop, batch[1]])
|
||||
qty_to_pop = 0
|
||||
|
||||
item_details[key]["qty_after_transaction"] = d.qty_after_transaction
|
||||
|
@ -1,11 +1,24 @@
|
||||
<h3>{{_("Request for Quotation")}}</h3>
|
||||
<h4>{{_("Request for Quotation")}}</h4>
|
||||
<p>{{ supplier_salutation if supplier_salutation else ''}} {{ supplier_name }},</p>
|
||||
<p>{{ message }}</p>
|
||||
|
||||
<p>{{_("The Request for Quotation can be accessed by clicking on the following button")}}:</p>
|
||||
<p>
|
||||
<button style="border: 1px solid #15c; padding: 6px; border-radius: 5px; background-color: white;">
|
||||
<a href="{{ rfq_link }}" style="color: #15c; text-decoration:none;" target="_blank">Submit your Quotation</a>
|
||||
</button>
|
||||
</p><br>
|
||||
|
||||
<p>{{_("Regards")}},<br>
|
||||
{{ user_fullname }}</p><br>
|
||||
|
||||
{% if update_password_link %}
|
||||
<p>{{_("Please click on the following link to set your new password")}}:</p>
|
||||
<p><a href="{{ update_password_link }}">{{ update_password_link }}</a></p>
|
||||
{% else %}
|
||||
<p>{{_("The request for quotation can be accessed by clicking on the following link")}}:</p>
|
||||
<p><a href="{{ rfq_link }}">Submit your Quotation</a></p>
|
||||
{% endif %}
|
||||
<p>{{_("Thank you")}},<br>
|
||||
{{ user_fullname }}</p>
|
||||
|
||||
<p>{{_("Please click on the following button to set your new password")}}:</p>
|
||||
<p>
|
||||
<button style="border: 1px solid #15c; padding: 4px; border-radius: 5px; background-color: white;">
|
||||
<a href="{{ update_password_link }}" style="color: #15c; font-size: 12px; text-decoration:none;" target="_blank">{{_("Update Password") }}</a>
|
||||
</button>
|
||||
</p>
|
||||
|
||||
{% endif %}
|
@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Heffing van t
|
||||
Chargeble,Chargeble,
|
||||
Charges are updated in Purchase Receipt against each item,Kostes word opgedateer in Aankoopontvangste teen elke item,
|
||||
"Charges will be distributed proportionately based on item qty or amount, as per your selection","Kostes sal proporsioneel verdeel word op grond van die hoeveelheid of hoeveelheid van die produk, soos per u keuse",
|
||||
Chart Of Accounts,Grafiek van rekeninge,
|
||||
Chart of Cost Centers,Grafiek van kostesentrums,
|
||||
Check all,Kyk alles,
|
||||
Checkout,Uitteken,
|
||||
@ -581,7 +580,6 @@ Company {0} does not exist,Maatskappy {0} bestaan nie,
|
||||
Compensatory Off,Kompenserende Off,
|
||||
Compensatory leave request days not in valid holidays,Vergoedingsverlof versoek dae nie in geldige vakansiedae,
|
||||
Complaint,klagte,
|
||||
Completed Qty can not be greater than 'Qty to Manufacture',Voltooide hoeveelheid kan nie groter wees as 'Hoeveelheid om te vervaardig' nie,
|
||||
Completion Date,voltooiingsdatum,
|
||||
Computer,rekenaar,
|
||||
Condition,toestand,
|
||||
@ -2033,7 +2031,6 @@ Please select Category first,Kies asseblief Kategorie eerste,
|
||||
Please select Charge Type first,Kies asseblief die laastipe eers,
|
||||
Please select Company,Kies asseblief Maatskappy,
|
||||
Please select Company and Designation,Kies asseblief Maatskappy en Aanwysing,
|
||||
Please select Company and Party Type first,Kies asseblief eers Maatskappy- en Partytipe,
|
||||
Please select Company and Posting Date to getting entries,Kies asseblief Maatskappy en Posdatum om inskrywings te kry,
|
||||
Please select Company first,Kies asseblief Maatskappy eerste,
|
||||
Please select Completion Date for Completed Asset Maintenance Log,Kies asseblief Voltooiingsdatum vir voltooide bateonderhoudslog,
|
||||
@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,Die naam van
|
||||
The name of your company for which you are setting up this system.,Die naam van u maatskappy waarvoor u hierdie stelsel opstel.,
|
||||
The number of shares and the share numbers are inconsistent,Die aantal aandele en die aandele is onbestaanbaar,
|
||||
The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Die betaling gateway rekening in plan {0} verskil van die betaling gateway rekening in hierdie betaling versoek,
|
||||
The request for quotation can be accessed by clicking on the following link,Die versoek om kwotasie kan verkry word deur op die volgende skakel te kliek,
|
||||
The selected BOMs are not for the same item,Die gekose BOM's is nie vir dieselfde item nie,
|
||||
The selected item cannot have Batch,Die gekose item kan nie Batch hê nie,
|
||||
The seller and the buyer cannot be the same,Die verkoper en die koper kan nie dieselfde wees nie,
|
||||
@ -3130,7 +3126,6 @@ Total contribution percentage should be equal to 100,Die totale bydraepersentasi
|
||||
Total flexible benefit component amount {0} should not be less than max benefits {1},Die totale bedrag vir komponent van buigsame voordele {0} mag nie minder wees as die maksimum voordele nie {1},
|
||||
Total hours: {0},Totale ure: {0},
|
||||
Total leaves allocated is mandatory for Leave Type {0},"Totale blare wat toegeken is, is verpligtend vir Verlof Tipe {0}",
|
||||
Total weightage assigned should be 100%. It is {0},Totale gewig toegeken moet 100% wees. Dit is {0},
|
||||
Total working hours should not be greater than max working hours {0},Totale werksure moet nie groter wees nie as maksimum werksure {0},
|
||||
Total {0} ({1}),Totaal {0} ({1}),
|
||||
"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Totale {0} vir alle items is nul, mag u verander word "Versprei koste gebaseer op '",
|
||||
@ -3544,7 +3539,6 @@ Company GSTIN,Maatskappy GSTIN,
|
||||
Company field is required,Ondernemingsveld word vereis,
|
||||
Creating Dimensions...,Skep dimensies ...,
|
||||
Duplicate entry against the item code {0} and manufacturer {1},Dupliseer inskrywing teen die itemkode {0} en vervaardiger {1},
|
||||
Import Chart Of Accounts from CSV / Excel files,Voer rekeningkaart uit CSV / Excel-lêers in,
|
||||
Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,"Ongeldige GSTIN! Die invoer wat u ingevoer het, stem nie ooreen met die GSTIN-formaat vir UIN-houers of OIDAR-diensverskaffers wat nie inwoon nie",
|
||||
Invoice Grand Total,Faktuur groot totaal,
|
||||
Last carbon check date cannot be a future date,Die laaste datum vir koolstoftoets kan nie 'n toekoms wees nie,
|
||||
@ -3921,7 +3915,6 @@ Plaid authentication error,Plaid-verifikasiefout,
|
||||
Plaid public token error,Geplaaste openbare tekenfout,
|
||||
Plaid transactions sync error,Gesinkroniseerfout in plaidtransaksies,
|
||||
Please check the error log for details about the import errors,Kontroleer die foutlogboek vir meer inligting oor die invoerfoute,
|
||||
Please click on the following link to set your new password,Klik asseblief op die volgende skakel om u nuwe wagwoord te stel,
|
||||
Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Skep asseblief <b>DATEV-instellings</b> vir die maatskappy <b>{}</b> .,
|
||||
Please create adjustment Journal Entry for amount {0} ,Skep 'n aanpassingsjoernaalinskrywing vir bedrag {0},
|
||||
Please do not create more than 500 items at a time,Moenie meer as 500 items op 'n slag skep nie,
|
||||
@ -3997,6 +3990,7 @@ Refreshing,verfrissende,
|
||||
Release date must be in the future,Die datum van vrylating moet in die toekoms wees,
|
||||
Relieving Date must be greater than or equal to Date of Joining,Verligtingsdatum moet groter wees as of gelyk wees aan die Datum van aansluiting,
|
||||
Rename,hernoem,
|
||||
Rename Not Allowed,Hernoem nie toegelaat nie,
|
||||
Repayment Method is mandatory for term loans,Terugbetalingsmetode is verpligtend vir termynlenings,
|
||||
Repayment Start Date is mandatory for term loans,Aanvangsdatum vir terugbetaling is verpligtend vir termynlenings,
|
||||
Report Item,Rapporteer item,
|
||||
@ -4043,7 +4037,6 @@ Search results for,Soek resultate vir,
|
||||
Select All,Kies Alles,
|
||||
Select Difference Account,Kies Verskilrekening,
|
||||
Select a Default Priority.,Kies 'n standaardprioriteit.,
|
||||
Select a Supplier from the Default Supplier List of the items below.,Kies 'n verskaffer uit die standaardverskafferlys van die onderstaande items.,
|
||||
Select a company,Kies 'n maatskappy,
|
||||
Select finance book for the item {0} at row {1},Kies finansieringsboek vir die item {0} op ry {1},
|
||||
Select only one Priority as Default.,Kies slegs een prioriteit as verstek.,
|
||||
@ -4247,7 +4240,6 @@ Yes,Ja,
|
||||
Actual ,werklike,
|
||||
Add to cart,Voeg by die winkelwagen,
|
||||
Budget,begroting,
|
||||
Chart Of Accounts Importer,Invoerder van rekeningrekeninge,
|
||||
Chart of Accounts,Tabel van rekeninge,
|
||||
Customer database.,Kliënt databasis.,
|
||||
Days Since Last order,Dae sedert die laaste bestelling,
|
||||
@ -4546,7 +4538,6 @@ Role that is allowed to submit transactions that exceed credit limits set.,Rol w
|
||||
Check Supplier Invoice Number Uniqueness,Kontroleer Verskaffer-faktuurnommer Uniekheid,
|
||||
Make Payment via Journal Entry,Betaal via Joernaal Inskrywing,
|
||||
Unlink Payment on Cancellation of Invoice,Ontkoppel betaling met kansellasie van faktuur,
|
||||
Unlink Advance Payment on Cancelation of Order,Ontkoppel vooruitbetaling by kansellasie van bestelling,
|
||||
Book Asset Depreciation Entry Automatically,Boekbate-waardeverminderinginskrywing outomaties,
|
||||
Automatically Add Taxes and Charges from Item Tax Template,Belasting en heffings word outomaties bygevoeg vanaf die itembelastingsjabloon,
|
||||
Automatically Fetch Payment Terms,Haal betalingsvoorwaardes outomaties aan,
|
||||
@ -4940,7 +4931,6 @@ Closing Account Head,Sluitingsrekeninghoof,
|
||||
POS Customer Group,POS kliënt groep,
|
||||
POS Field,POS veld,
|
||||
POS Item Group,POS Item Group,
|
||||
[Select],[Kies],
|
||||
Company Address,Maatskappyadres,
|
||||
Update Stock,Werk Voorraad,
|
||||
Ignore Pricing Rule,Ignoreer prysreël,
|
||||
@ -6481,7 +6471,6 @@ HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM.,
|
||||
Appraisal Template,Appraisal Template,
|
||||
For Employee Name,Vir Werknemer Naam,
|
||||
Goals,Doelwitte,
|
||||
Calculate Total Score,Bereken totale telling,
|
||||
Total Score (Out of 5),Totale telling (uit 5),
|
||||
"Any other remarks, noteworthy effort that should go in the records.","Enige ander opmerkings, noemenswaardige poging wat in die rekords moet plaasvind.",
|
||||
Appraisal Goal,Evalueringsdoel,
|
||||
@ -6599,11 +6588,6 @@ Relieving Date,Ontslagdatum,
|
||||
Reason for Leaving,Rede vir vertrek,
|
||||
Leave Encashed?,Verlaten verlaat?,
|
||||
Encashment Date,Bevestigingsdatum,
|
||||
Exit Interview Details,Afhanklike onderhoudsbesonderhede,
|
||||
Held On,Aangehou,
|
||||
Reason for Resignation,Rede vir bedanking,
|
||||
Better Prospects,Beter vooruitsigte,
|
||||
Health Concerns,Gesondheid Kommer,
|
||||
New Workplace,Nuwe werkplek,
|
||||
HR-EAD-.YYYY.-,HR-EAD-.YYYY.-,
|
||||
Returned Amount,Terugbetaalde bedrag,
|
||||
@ -8239,9 +8223,6 @@ Landed Cost Help,Landed Cost Help,
|
||||
Manufacturers used in Items,Vervaardigers gebruik in items,
|
||||
Limited to 12 characters,Beperk tot 12 karakters,
|
||||
MAT-MR-.YYYY.-,MAT-MR-.YYYY.-,
|
||||
Set Warehouse,Stel pakhuis,
|
||||
Sets 'For Warehouse' in each row of the Items table.,Stel 'Vir pakhuis' in elke ry van die Artikeltabel in.,
|
||||
Requested For,Gevra vir,
|
||||
Partially Ordered,Gedeeltelik bestel,
|
||||
Transferred,oorgedra,
|
||||
% Ordered,% Bestel,
|
||||
@ -8690,8 +8671,6 @@ Material Request Warehouse,Materiaalversoekpakhuis,
|
||||
Select warehouse for material requests,Kies pakhuis vir materiaalversoeke,
|
||||
Transfer Materials For Warehouse {0},Oordragmateriaal vir pakhuis {0},
|
||||
Production Plan Material Request Warehouse,Produksieplan Materiaalversoekpakhuis,
|
||||
Set From Warehouse,Stel vanaf pakhuis,
|
||||
Source Warehouse (Material Transfer),Bronpakhuis (materiaaloordrag),
|
||||
Sets 'Source Warehouse' in each row of the items table.,Stel 'Bronpakhuis' in elke ry van die artikeltabel in.,
|
||||
Sets 'Target Warehouse' in each row of the items table.,Stel 'Target Warehouse' in elke ry van die artikeltabel in.,
|
||||
Show Cancelled Entries,Wys gekanselleerde inskrywings,
|
||||
@ -9157,7 +9136,6 @@ Professional Tax,Professionele belasting,
|
||||
Is Income Tax Component,Is inkomstebelasting komponent,
|
||||
Component properties and references ,Komponenteienskappe en verwysings,
|
||||
Additional Salary ,Bykomende salaris,
|
||||
Condtion and formula,Kondisie en formule,
|
||||
Unmarked days,Ongemerkte dae,
|
||||
Absent Days,Afwesige dae,
|
||||
Conditions and Formula variable and example,Voorwaardes en formule veranderlike en voorbeeld,
|
||||
@ -9444,7 +9422,6 @@ Plaid invalid request error,Plaid ongeldige versoekfout,
|
||||
Please check your Plaid client ID and secret values,Gaan u Plaid-kliënt-ID en geheime waardes na,
|
||||
Bank transaction creation error,Fout met die skep van banktransaksies,
|
||||
Unit of Measurement,Eenheid van mate,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Ry # {}: die verkoopkoers vir item {} is laer as die {}. Verkoopprys moet ten minste {} wees,
|
||||
Fiscal Year {0} Does Not Exist,Fiskale jaar {0} bestaan nie,
|
||||
Row # {0}: Returned Item {1} does not exist in {2} {3},Ry # {0}: Teruggestuurde item {1} bestaan nie in {2} {3},
|
||||
Valuation type charges can not be marked as Inclusive,Kostes van waardasie kan nie as Inklusief gemerk word nie,
|
||||
@ -9598,8 +9575,60 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Stel reaksiet
|
||||
Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Die responstyd vir {0} prioriteit in ry {1} kan nie langer wees as die resolusietyd nie.,
|
||||
{0} is not enabled in {1},{0} is nie geaktiveer in {1},
|
||||
Group by Material Request,Groepeer volgens materiaalversoek,
|
||||
"Row {0}: For Supplier {0}, Email Address is Required to Send Email",Ry {0}: Vir verskaffer {0} word e-posadres vereis om e-pos te stuur,
|
||||
Email Sent to Supplier {0},E-pos gestuur aan verskaffer {0},
|
||||
"The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.",Die toegang tot die versoek vir 'n kwotasie vanaf die portaal is uitgeskakel. Skakel dit in Portaalinstellings in om toegang te verleen.,
|
||||
Supplier Quotation {0} Created,Kwotasie van verskaffer {0} geskep,
|
||||
Valid till Date cannot be before Transaction Date,Geldige bewerkingsdatum kan nie voor transaksiedatum wees nie,
|
||||
Unlink Advance Payment on Cancellation of Order,Ontkoppel vooruitbetaling by kansellasie van bestelling,
|
||||
"Simple Python Expression, Example: territory != 'All Territories'","Eenvoudige Python-uitdrukking, Voorbeeld: gebied! = 'Alle gebiede'",
|
||||
Sales Contributions and Incentives,Verkoopsbydraes en aansporings,
|
||||
Sourced by Supplier,Van verskaffer verkry,
|
||||
Total weightage assigned should be 100%.<br>It is {0},Die totale gewigstoekenning moet 100% wees.<br> Dit is {0},
|
||||
Account {0} exists in parent company {1}.,Rekening {0} bestaan in moedermaatskappy {1}.,
|
||||
"To overrule this, enable '{0}' in company {1}",Skakel '{0}' in die maatskappy {1} in om dit te oorheers.,
|
||||
Invalid condition expression,Ongeldige toestandsuitdrukking,
|
||||
Please Select a Company First,Kies eers 'n maatskappy,
|
||||
Please Select Both Company and Party Type First,Kies asseblief eers die maatskappy en die partytjie,
|
||||
Provide the invoice portion in percent,Verskaf die faktuurgedeelte in persent,
|
||||
Give number of days according to prior selection,Gee die aantal dae volgens voorafgaande keuse,
|
||||
Email Details,E-posbesonderhede,
|
||||
"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Kies 'n groet vir die ontvanger. Bv. Mnr., Me., Ens.",
|
||||
Preview Email,Voorskou e-pos,
|
||||
Please select a Supplier,Kies 'n verskaffer,
|
||||
Supplier Lead Time (days),Leveringstyd (dae),
|
||||
"Home, Work, etc.","Huis, werk, ens.",
|
||||
Exit Interview Held On,Uitgangsonderhoud gehou,
|
||||
Condition and formula,Toestand en formule,
|
||||
Sets 'Target Warehouse' in each row of the Items table.,Stel 'Target Warehouse' in elke ry van die Items-tabel.,
|
||||
Sets 'Source Warehouse' in each row of the Items table.,Stel 'Bronpakhuis' in elke ry van die Artikeltabel in.,
|
||||
POS Register,POS-register,
|
||||
"Can not filter based on POS Profile, if grouped by POS Profile","Kan nie gebaseer op POS-profiel filter nie, indien dit gegroepeer is volgens POS-profiel",
|
||||
"Can not filter based on Customer, if grouped by Customer","Kan nie op grond van die klant filter nie, indien dit volgens die klant gegroepeer is",
|
||||
"Can not filter based on Cashier, if grouped by Cashier","Kan nie filter op grond van Kassier nie, indien dit gegroepeer is volgens Kassier",
|
||||
Payment Method,Betalings metode,
|
||||
"Can not filter based on Payment Method, if grouped by Payment Method","Kan nie op grond van die betaalmetode filter nie, indien dit gegroepeer is volgens die betaalmetode",
|
||||
Supplier Quotation Comparison,Vergelyking tussen kwotasies van verskaffers,
|
||||
Price per Unit (Stock UOM),Prys per eenheid (voorraad UOM),
|
||||
Group by Supplier,Groepeer volgens verskaffer,
|
||||
Group by Item,Groepeer volgens item,
|
||||
Remember to set {field_label}. It is required by {regulation}.,Onthou om {field_label} in te stel. Dit word deur {regulasie} vereis.,
|
||||
Enrollment Date cannot be before the Start Date of the Academic Year {0},Inskrywingsdatum kan nie voor die begindatum van die akademiese jaar wees nie {0},
|
||||
Enrollment Date cannot be after the End Date of the Academic Term {0},Inskrywingsdatum kan nie na die einddatum van die akademiese termyn {0} wees nie,
|
||||
Enrollment Date cannot be before the Start Date of the Academic Term {0},Inskrywingsdatum kan nie voor die begindatum van die akademiese termyn {0} wees nie,
|
||||
Posting future transactions are not allowed due to Immutable Ledger,As gevolg van Immutable Ledger word toekomstige transaksies nie toegelaat nie,
|
||||
Future Posting Not Allowed,Toekomstige plasing word nie toegelaat nie,
|
||||
"To enable Capital Work in Progress Accounting, ","Om rekeningkundige kapitaalwerk moontlik te maak,",
|
||||
you must select Capital Work in Progress Account in accounts table,u moet Capital Work in Progress-rekening in die rekeningtabel kies,
|
||||
You can also set default CWIP account in Company {},U kan ook die standaard CWIP-rekening instel in die maatskappy {},
|
||||
The Request for Quotation can be accessed by clicking on the following button,Toegang tot die versoek vir 'n kwotasie is deur op die volgende knoppie te klik,
|
||||
Regards,Groete,
|
||||
Please click on the following button to set your new password,Klik op die volgende knoppie om u nuwe wagwoord in te stel,
|
||||
Update Password,Wagwoord op te dateer,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Ry # {}: die verkoopkoers vir item {} is laer as die {}. Verkoop {} moet ten minste {} wees,
|
||||
You can alternatively disable selling price validation in {} to bypass this validation.,U kan ook die validering van verkooppryse in {} deaktiveer om hierdie validering te omseil.,
|
||||
Invalid Selling Price,Ongeldige verkoopprys,
|
||||
Address needs to be linked to a Company. Please add a row for Company in the Links table.,Adres moet aan 'n maatskappy gekoppel word. Voeg asseblief 'n ry vir Company in die skakeltabel.,
|
||||
Company Not Linked,Maatskappy nie gekoppel nie,
|
||||
Import Chart of Accounts from CSV / Excel files,Voer rekeningrekeninge in vanaf CSV / Excel-lêers,
|
||||
Completed Qty cannot be greater than 'Qty to Manufacture',Voltooide hoeveelheid kan nie groter wees as 'hoeveelheid om te vervaardig',
|
||||
"Row {0}: For Supplier {1}, Email Address is Required to send an email",Ry {0}: Vir verskaffer {1} word e-posadres vereis om 'n e-pos te stuur,
|
||||
|
Can't render this file because it is too large.
|
@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,አይነት
|
||||
Chargeble,ቻርጅ,
|
||||
Charges are updated in Purchase Receipt against each item,ክፍያዎች እያንዳንዱ ንጥል ላይ የግዢ ደረሰኝ ውስጥ መዘመን ነው,
|
||||
"Charges will be distributed proportionately based on item qty or amount, as per your selection","ክፍያዎች ተመጣጣኝ መጠን በእርስዎ ምርጫ መሠረት, ንጥል ብዛት ወይም መጠን ላይ በመመርኮዝ መሰራጨት ይሆናል",
|
||||
Chart Of Accounts,መለያዎች ገበታ,
|
||||
Chart of Cost Centers,ወጪ ማዕከላት ገበታ,
|
||||
Check all,ሁሉንም ይመልከቱ,
|
||||
Checkout,ጨርሰህ ውጣ,
|
||||
@ -581,7 +580,6 @@ Company {0} does not exist,ኩባንያ {0} የለም,
|
||||
Compensatory Off,የማካካሻ አጥፋ,
|
||||
Compensatory leave request days not in valid holidays,ተቀባይነት ባላቸው በዓላት ውስጥ ክፍያ የማይሰጥ የቀን የጥበቃ ቀን ጥያቄ,
|
||||
Complaint,ቅሬታ,
|
||||
Completed Qty can not be greater than 'Qty to Manufacture',ይልቅ 'ብዛት ለማምረት' ተጠናቋል ብዛት የበለጠ መሆን አይችልም,
|
||||
Completion Date,ማጠናቀቂያ ቀን,
|
||||
Computer,ኮምፕዩተር,
|
||||
Condition,ሁኔታ,
|
||||
@ -2033,7 +2031,6 @@ Please select Category first,የመጀመሪያው ምድብ ይምረጡ,
|
||||
Please select Charge Type first,በመጀመሪያ የክፍያ አይነት ይምረጡ,
|
||||
Please select Company,ኩባንያ ይምረጡ,
|
||||
Please select Company and Designation,እባክዎ ኩባንያ እና ዲዛይን ይምረጡ,
|
||||
Please select Company and Party Type first,በመጀመሪያ ኩባንያ እና የፓርቲ አይነት ይምረጡ,
|
||||
Please select Company and Posting Date to getting entries,እባክዎ ግቤቶችን ለመመዝገብ እባክዎ ኩባንያ እና የድረ-ገጽ ቀንን ይምረጡ,
|
||||
Please select Company first,መጀመሪያ ኩባንያ እባክዎ ይምረጡ,
|
||||
Please select Completion Date for Completed Asset Maintenance Log,እባክዎን ለተጠናቀቀው የንብረት ጥገና ምዝግብ ማስታወሻ ቀነ-ገደብ ይምረጡ,
|
||||
@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,ተቋሙ
|
||||
The name of your company for which you are setting up this system.,የእርስዎን ኩባንያ ስም ስለ እናንተ ይህ ሥርዓት ማዋቀር ነው.,
|
||||
The number of shares and the share numbers are inconsistent,የአክሲዮኖች ቁጥር እና የማካካሻ ቁጥሮች ወጥ ናቸው,
|
||||
The payment gateway account in plan {0} is different from the payment gateway account in this payment request,የክፍያ ዕቅድ ክፍያ በእቅድ {0} ውስጥ በዚህ የክፍያ ጥያቄ ውስጥ ካለው የክፍያ በር መለያ የተለየ ነው።,
|
||||
The request for quotation can be accessed by clicking on the following link,ጥቅስ ለማግኘት ጥያቄው በሚከተለው አገናኝ ላይ ጠቅ በማድረግ ሊደረስባቸው ይችላሉ,
|
||||
The selected BOMs are not for the same item,የተመረጡት BOMs ተመሳሳይ ንጥል አይደሉም,
|
||||
The selected item cannot have Batch,የተመረጠው ንጥል ባች ሊኖረው አይችልም,
|
||||
The seller and the buyer cannot be the same,ሻጩ እና ገዢው ተመሳሳይ መሆን አይችሉም,
|
||||
@ -3130,7 +3126,6 @@ Total contribution percentage should be equal to 100,ጠቅላላ መዋጮ መ
|
||||
Total flexible benefit component amount {0} should not be less than max benefits {1},አጠቃላይ ተለዋዋጭ የድጋፍ አካል መጠን {0} ከከፍተኛው ጥቅሞች በታች መሆን የለበትም {1},
|
||||
Total hours: {0},ጠቅላላ ሰዓት: {0},
|
||||
Total leaves allocated is mandatory for Leave Type {0},ጠቅላላ ቅጠሎች የተመደቡበት አይነት {0},
|
||||
Total weightage assigned should be 100%. It is {0},100% መሆን አለበት የተመደበ ጠቅላላ weightage. ይህ ነው {0},
|
||||
Total working hours should not be greater than max working hours {0},ጠቅላላ የሥራ ሰዓቶች ከፍተኛ የሥራ ሰዓት በላይ መሆን የለበትም {0},
|
||||
Total {0} ({1}),ጠቅላላ {0} ({1}),
|
||||
"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","ጠቅላላ {0} ሁሉም ንጥሎች እናንተ 'ላይ የተመሠረተ ክፍያዎች ያሰራጩ' መቀየር አለበት ሊሆን ይችላል, ዜሮ ነው",
|
||||
@ -3544,7 +3539,6 @@ Company GSTIN,የኩባንያ GSTIN,
|
||||
Company field is required,የኩባንያው መስክ ያስፈልጋል።,
|
||||
Creating Dimensions...,ልኬቶችን በመፍጠር ላይ ...,
|
||||
Duplicate entry against the item code {0} and manufacturer {1},በእቃ ኮዱ {0} እና በአምራቹ {1} ላይ የተባዛ ግቤት,
|
||||
Import Chart Of Accounts from CSV / Excel files,የመለያዎች ገበታዎችን ከ CSV / የ Excel ፋይሎች ያስመጡ።,
|
||||
Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,ልክ ያልሆነ GSTIN! ያስገባኸው ግቤት ለ UIN Holders ወይም ነዋሪ ላልሆኑ OIDAR አገልግሎት አቅራቢዎች ከ GSTIN ቅርጸት ጋር አይጣጣምም ፡፡,
|
||||
Invoice Grand Total,የክፍያ መጠየቂያ ግራንድ አጠቃላይ።,
|
||||
Last carbon check date cannot be a future date,የመጨረሻው የካርቦን ፍተሻ ቀን የወደፊት ቀን ሊሆን አይችልም።,
|
||||
@ -3921,7 +3915,6 @@ Plaid authentication error,የተዘረጋ ማረጋገጫ ስህተት።,
|
||||
Plaid public token error,የተዘበራረቀ የህዝብ የምስጋና የምስክር ወረቀት,
|
||||
Plaid transactions sync error,የተዘዋወሩ ግብይቶች የማመሳሰል ስህተት።,
|
||||
Please check the error log for details about the import errors,እባክዎን ስለማስመጣት ስህተቶች ዝርዝር ለማግኘት የስህተት ምዝግብ ማስታወሻውን ይመልከቱ ፡፡,
|
||||
Please click on the following link to set your new password,አዲሱን የይለፍ ቃል ለማዘጋጀት በሚከተለው አገናኝ ላይ ጠቅ ያድርጉ,
|
||||
Please create <b>DATEV Settings</b> for Company <b>{}</b>.,እባክዎ <b>ለኩባንያ የ DATEV ቅንብሮችን</b> ይፍጠሩ <b>{}</b> ።,
|
||||
Please create adjustment Journal Entry for amount {0} ,እባክዎ ለቁጥር {0} ማስተካከያ ጆርናል ግቤት ይፍጠሩ,
|
||||
Please do not create more than 500 items at a time,እባክዎን በአንድ ጊዜ ከ 500 በላይ እቃዎችን አይፍጠሩ ፡፡,
|
||||
@ -3997,6 +3990,7 @@ Refreshing,በማደስ ላይ,
|
||||
Release date must be in the future,የሚለቀቅበት ቀን ለወደፊቱ መሆን አለበት።,
|
||||
Relieving Date must be greater than or equal to Date of Joining,የመልሶ ማግኛ ቀን ከተቀላቀለበት ቀን የሚበልጥ ወይም እኩል መሆን አለበት,
|
||||
Rename,ዳግም ሰይም,
|
||||
Rename Not Allowed,ዳግም መሰየም አልተፈቀደም።,
|
||||
Repayment Method is mandatory for term loans,የመክፈያ ዘዴ ለጊዜ ብድሮች አስገዳጅ ነው,
|
||||
Repayment Start Date is mandatory for term loans,የመክፈያ መጀመሪያ ቀን ለአበዳሪ ብድሮች አስገዳጅ ነው,
|
||||
Report Item,ንጥል ሪፖርት ያድርጉ ፡፡,
|
||||
@ -4043,7 +4037,6 @@ Search results for,የፍለጋ ውጤቶች,
|
||||
Select All,ሁሉንም ምረጥ,
|
||||
Select Difference Account,የልዩ መለያ ይምረጡ።,
|
||||
Select a Default Priority.,ነባሪ ቅድሚያ ይምረጡ።,
|
||||
Select a Supplier from the Default Supplier List of the items below.,ከዚህ በታች ካሉት ነገሮች ነባሪ አቅራቢ ዝርዝር አቅራቢን ይምረጡ ፡፡,
|
||||
Select a company,ኩባንያ ይምረጡ።,
|
||||
Select finance book for the item {0} at row {1},ለዕቃው ፋይናንስ መጽሐፍ ይምረጡ {0} ረድፍ {1},
|
||||
Select only one Priority as Default.,እንደ ነባሪ አንድ ቅድሚያ የሚሰጠውን ይምረጡ።,
|
||||
@ -4247,7 +4240,6 @@ Yes,አዎ,
|
||||
Actual ,ትክክለኛ,
|
||||
Add to cart,ወደ ግዢው ቅርጫት ጨምር,
|
||||
Budget,ባጀት,
|
||||
Chart Of Accounts Importer,የመለያዎች አስመጪ ገበታ።,
|
||||
Chart of Accounts,የአድራሻዎች ዝርዝር,
|
||||
Customer database.,የደንበኛ ውሂብ ጎታ.,
|
||||
Days Since Last order,የመጨረሻ ትዕዛዝ ጀምሮ ቀናት,
|
||||
@ -4546,7 +4538,6 @@ Role that is allowed to submit transactions that exceed credit limits set.,ካ
|
||||
Check Supplier Invoice Number Uniqueness,ማጣሪያ አቅራቢው የደረሰኝ ቁጥር ልዩ,
|
||||
Make Payment via Journal Entry,ጆርናል Entry በኩል ክፍያ አድርግ,
|
||||
Unlink Payment on Cancellation of Invoice,የደረሰኝ ስረዛ ላይ ክፍያ አታገናኝ,
|
||||
Unlink Advance Payment on Cancelation of Order,በትዕዛዝ መተላለፍ ላይ የቅድሚያ ክፍያ ክፍያን አያላቅቁ።,
|
||||
Book Asset Depreciation Entry Automatically,መጽሐፍ የንብረት ዋጋ መቀነስ Entry ሰር,
|
||||
Automatically Add Taxes and Charges from Item Tax Template,ከእቃው ግብር አብነት ግብርን እና ክፍያዎች በራስ-ሰር ያክሉ።,
|
||||
Automatically Fetch Payment Terms,የክፍያ ውሎችን በራስ-ሰር ያውጡ።,
|
||||
@ -4940,7 +4931,6 @@ Closing Account Head,የመለያ ኃላፊ በመዝጋት ላይ,
|
||||
POS Customer Group,POS የደንበኛ ቡድን,
|
||||
POS Field,POS መስክ,
|
||||
POS Item Group,POS ንጥል ቡድን,
|
||||
[Select],[ምረጥ],
|
||||
Company Address,የኩባንያ አድራሻ,
|
||||
Update Stock,አዘምን Stock,
|
||||
Ignore Pricing Rule,የዋጋ አሰጣጥ ደንብ ችላ,
|
||||
@ -6481,7 +6471,6 @@ HR-APR-.YY.-.MM.,HR-APR-YY.-. ኤም.,
|
||||
Appraisal Template,ግምገማ አብነት,
|
||||
For Employee Name,የሰራተኛ ስም ለ,
|
||||
Goals,ግቦች,
|
||||
Calculate Total Score,አጠቃላይ ነጥብ አስላ,
|
||||
Total Score (Out of 5),(5 ውጪ) አጠቃላይ ነጥብ,
|
||||
"Any other remarks, noteworthy effort that should go in the records.","ሌሎች ማንኛውም አስተያየት, መዝገቦች ውስጥ መሄድ ዘንድ ትኩረት የሚስብ ጥረት.",
|
||||
Appraisal Goal,ግምገማ ግብ,
|
||||
@ -6599,11 +6588,6 @@ Relieving Date,ማስታገሻ ቀን,
|
||||
Reason for Leaving,የምትሄድበት ምክንያት,
|
||||
Leave Encashed?,Encashed ይውጡ?,
|
||||
Encashment Date,Encashment ቀን,
|
||||
Exit Interview Details,መውጫ ቃለ ዝርዝሮች,
|
||||
Held On,የተያዙ ላይ,
|
||||
Reason for Resignation,ሥራ መልቀቅ ለ ምክንያት,
|
||||
Better Prospects,የተሻለ ተስፋ,
|
||||
Health Concerns,የጤና ሰጋት,
|
||||
New Workplace,አዲስ በሥራ ቦታ,
|
||||
HR-EAD-.YYYY.-,ሃ-ኤአር-ያዮያን.-,
|
||||
Returned Amount,የተመለሰው መጠን,
|
||||
@ -8239,9 +8223,6 @@ Landed Cost Help,አረፈ ወጪ እገዛ,
|
||||
Manufacturers used in Items,ንጥሎች ውስጥ ጥቅም ላይ አምራቾች,
|
||||
Limited to 12 characters,12 ቁምፊዎች የተገደበ,
|
||||
MAT-MR-.YYYY.-,ት እሚል-ያሲ-ያዮያን.-,
|
||||
Set Warehouse,መጋዘን ያዘጋጁ,
|
||||
Sets 'For Warehouse' in each row of the Items table.,በእቃዎቹ ሰንጠረዥ በእያንዳንዱ ረድፍ ‹ለመጋዘን› ያዘጋጃል ፡፡,
|
||||
Requested For,ለ ተጠይቋል,
|
||||
Partially Ordered,በከፊል የታዘዘ,
|
||||
Transferred,ተላልፈዋል,
|
||||
% Ordered,% የዕቃው መረጃ,
|
||||
@ -8690,8 +8671,6 @@ Material Request Warehouse,የቁሳቁስ ጥያቄ መጋዘን,
|
||||
Select warehouse for material requests,ለቁሳዊ ጥያቄዎች መጋዘን ይምረጡ,
|
||||
Transfer Materials For Warehouse {0},ቁሳቁሶችን ለመጋዘን ያስተላልፉ {0},
|
||||
Production Plan Material Request Warehouse,የምርት እቅድ ቁሳቁስ ጥያቄ መጋዘን,
|
||||
Set From Warehouse,ከመጋዘን ተዘጋጅ,
|
||||
Source Warehouse (Material Transfer),ምንጭ መጋዘን (ቁሳቁስ ማስተላለፍ),
|
||||
Sets 'Source Warehouse' in each row of the items table.,በእያንዲንደ የእቃ ሰንጠረ tableች ረድፍ ውስጥ ‹ምንጭ መጋዘን› ያዘጋጃሌ ፡፡,
|
||||
Sets 'Target Warehouse' in each row of the items table.,በእያንዲንደ የጠረጴዛዎች ረድፍ ውስጥ ‹ዒላማ መጋዘን› ያዘጋጃሌ ፡፡,
|
||||
Show Cancelled Entries,የተሰረዙ ግቤቶችን አሳይ,
|
||||
@ -9157,7 +9136,6 @@ Professional Tax,የሙያ ግብር,
|
||||
Is Income Tax Component,የገቢ ግብር አካል ነው,
|
||||
Component properties and references ,የአካል ክፍሎች እና ማጣቀሻዎች,
|
||||
Additional Salary ,ተጨማሪ ደመወዝ,
|
||||
Condtion and formula,መጨናነቅ እና ቀመር,
|
||||
Unmarked days,ምልክት ያልተደረገባቸው ቀናት,
|
||||
Absent Days,የቀሩ ቀናት,
|
||||
Conditions and Formula variable and example,ሁኔታዎች እና የቀመር ተለዋዋጭ እና ምሳሌ,
|
||||
@ -9444,7 +9422,6 @@ Plaid invalid request error,ትክክለኛ ያልሆነ የጥያቄ ስህተ
|
||||
Please check your Plaid client ID and secret values,እባክዎ የፕላድ ደንበኛ መታወቂያዎን እና ሚስጥራዊ እሴቶችዎን ያረጋግጡ,
|
||||
Bank transaction creation error,የባንክ ግብይት መፍጠር ስህተት,
|
||||
Unit of Measurement,የመለኪያ አሃድ,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},ረድፍ # {}: ለንጥል የመሸጥ መጠን {} ከእሱ ያነሰ ነው። የመሸጥ መጠን ቢያንስ ቢያንስ መሆን አለበት {},
|
||||
Fiscal Year {0} Does Not Exist,የበጀት ዓመት {0} የለም,
|
||||
Row # {0}: Returned Item {1} does not exist in {2} {3},ረድፍ # {0}: የተመለሰ ንጥል {1} በ {2} {3} ውስጥ የለም,
|
||||
Valuation type charges can not be marked as Inclusive,የዋጋ አሰጣጥ አይነት ክፍያዎች ሁሉን ያካተተ ሆኖ ምልክት ሊደረግባቸው አይቻልም,
|
||||
@ -9598,8 +9575,60 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,የምላሽ
|
||||
Response Time for {0} priority in row {1} can't be greater than Resolution Time.,የምላሽ ጊዜ ለ {0} በተከታታይ ቅድሚያ የሚሰጠው {1} ከመፍትሔው ጊዜ ሊበልጥ አይችልም።,
|
||||
{0} is not enabled in {1},{0} በ {1} ውስጥ አልነቃም,
|
||||
Group by Material Request,በቁሳዊ ጥያቄ በቡድን,
|
||||
"Row {0}: For Supplier {0}, Email Address is Required to Send Email",ረድፍ {0} ለአቅራቢው {0} ኢሜል ለመላክ የኢሜል አድራሻ ያስፈልጋል,
|
||||
Email Sent to Supplier {0},ለአቅራቢ ኢሜይል ተልኳል {0},
|
||||
"The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.",ከመግቢያው የጥቆማ ጥያቄ መዳረሻ ተሰናክሏል ፡፡ መዳረሻን ለመፍቀድ በ Portal ቅንብሮች ውስጥ ያንቁት።,
|
||||
Supplier Quotation {0} Created,የአቅራቢ ጥቅስ {0} ተፈጥሯል,
|
||||
Valid till Date cannot be before Transaction Date,እስከዛሬ ድረስ የሚሰራ ከግብይት ቀን በፊት መሆን አይችልም,
|
||||
Unlink Advance Payment on Cancellation of Order,በትእዛዝ ስረዛ ላይ የቅድሚያ ክፍያ ግንኙነትን ያላቅቁ,
|
||||
"Simple Python Expression, Example: territory != 'All Territories'",ቀላል የፓይዘን መግለጫ ፣ ምሳሌ: ክልል! = 'ሁሉም ግዛቶች',
|
||||
Sales Contributions and Incentives,የሽያጭ አስተዋፅዖዎች እና ማበረታቻዎች,
|
||||
Sourced by Supplier,በአቅራቢው ተነስቷል,
|
||||
Total weightage assigned should be 100%.<br>It is {0},የተመደበው አጠቃላይ ክብደት 100% መሆን አለበት ፡፡<br> እሱ {0} ነው,
|
||||
Account {0} exists in parent company {1}.,መለያ {0} በወላጅ ኩባንያ ውስጥ አለ {1}።,
|
||||
"To overrule this, enable '{0}' in company {1}",ይህንን ለመሻር በኩባንያው ውስጥ {0} ን ያንቁ {1},
|
||||
Invalid condition expression,ልክ ያልሆነ ሁኔታ መግለጫ,
|
||||
Please Select a Company First,እባክዎ መጀመሪያ አንድ ኩባንያ ይምረጡ,
|
||||
Please Select Both Company and Party Type First,እባክዎ መጀመሪያ ሁለቱንም ኩባንያ እና የድግስ ዓይነት ይምረጡ,
|
||||
Provide the invoice portion in percent,የክፍያ መጠየቂያውን ክፍል በመቶኛ ያቅርቡ,
|
||||
Give number of days according to prior selection,በቀድሞው ምርጫ መሠረት የቀናትን ቁጥር ይስጡ,
|
||||
Email Details,የኢሜል ዝርዝሮች,
|
||||
"Select a greeting for the receiver. E.g. Mr., Ms., etc.",ለተቀባዩ ሰላምታ ይምረጡ ፡፡ ለምሳሌ ሚስተር ወይዘሮ ወ.ዘ.ተ.,
|
||||
Preview Email,ኢሜል ቅድመ እይታ,
|
||||
Please select a Supplier,እባክዎ አቅራቢ ይምረጡ,
|
||||
Supplier Lead Time (days),የአቅራቢ መሪ ጊዜ (ቀናት),
|
||||
"Home, Work, etc.",ቤት ፣ ሥራ ፣ ወዘተ,
|
||||
Exit Interview Held On,መውጫ ቃለ መጠይቅ በርቷል,
|
||||
Condition and formula,ሁኔታ እና ቀመር,
|
||||
Sets 'Target Warehouse' in each row of the Items table.,በእያንዲንደ የእቃ ሰንጠረ rowች ረድፍ ውስጥ ‹ዒላማ መጋዘን› ያዘጋጃሌ ፡፡,
|
||||
Sets 'Source Warehouse' in each row of the Items table.,በእያንዲንደ የእቃ ሰንጠረ rowች ረድፍ ውስጥ ‹ምንጭ መጋዘን› ያዘጋጃሌ ፡፡,
|
||||
POS Register,POS ይመዝገቡ,
|
||||
"Can not filter based on POS Profile, if grouped by POS Profile",በ POS መገለጫ ከተመደቡ በ POS መገለጫ ላይ ተመስርተው ማጣሪያ ማድረግ አይቻልም,
|
||||
"Can not filter based on Customer, if grouped by Customer",በደንበኛው ከተመደበ በደንበኛው ላይ የተመሠረተ ማጣሪያ ማድረግ አይቻልም,
|
||||
"Can not filter based on Cashier, if grouped by Cashier",በገንዘብ ተቀባዩ ከተመደቡ በገንዘብ ተቀባይ ላይ የተመሠረተ ማጣራት አይቻልም,
|
||||
Payment Method,የክፍያ ዘዴ,
|
||||
"Can not filter based on Payment Method, if grouped by Payment Method",በክፍያ ዘዴ ከተመደቡ በክፍያ ዘዴው መሠረት ማጣሪያ ማድረግ አይቻልም,
|
||||
Supplier Quotation Comparison,የአቅራቢዎች ጥቅስ ንፅፅር,
|
||||
Price per Unit (Stock UOM),ዋጋ በአንድ ክፍል (ክምችት UOM),
|
||||
Group by Supplier,በአቅራቢ ቡድን,
|
||||
Group by Item,በንጥል በቡድን,
|
||||
Remember to set {field_label}. It is required by {regulation}.,{Field_label} ን ማቀናበርን ያስታውሱ። በ {ደንብ} ይፈለጋል።,
|
||||
Enrollment Date cannot be before the Start Date of the Academic Year {0},የምዝገባ ቀን ከአካዳሚክ አመቱ መጀመሪያ ቀን በፊት መሆን አይችልም {0},
|
||||
Enrollment Date cannot be after the End Date of the Academic Term {0},የመመዝገቢያ ቀን ከትምህርታዊ ጊዜ ማብቂያ ቀን በኋላ መሆን አይችልም {0},
|
||||
Enrollment Date cannot be before the Start Date of the Academic Term {0},የምዝገባ ቀን ከትምህርቱ ዘመን መጀመሪያ ቀን በፊት መሆን አይችልም {0},
|
||||
Posting future transactions are not allowed due to Immutable Ledger,በሚተላለፍ ሊደር ምክንያት የወደፊት ግብይቶችን መለጠፍ አይፈቀድም,
|
||||
Future Posting Not Allowed,የወደፊቱ መለጠፍ አልተፈቀደም,
|
||||
"To enable Capital Work in Progress Accounting, ",በሂሳብ አያያዝ ውስጥ የካፒታል ሥራን ለማንቃት ፣,
|
||||
you must select Capital Work in Progress Account in accounts table,በሂሳብ ሰንጠረዥ ውስጥ በሂሳብ መዝገብ ውስጥ ካፒታል ሥራን መምረጥ አለብዎት,
|
||||
You can also set default CWIP account in Company {},እንዲሁም ነባሪ የ CWIP መለያ በኩባንያ ውስጥ ማቀናበር ይችላሉ {},
|
||||
The Request for Quotation can be accessed by clicking on the following button,የጥያቄ ጥያቄ የሚከተለውን ቁልፍ በመጫን ማግኘት ይቻላል,
|
||||
Regards,ከሰላምታ ጋር,
|
||||
Please click on the following button to set your new password,አዲሱን የይለፍ ቃልዎን ለማዘጋጀት እባክዎ በሚከተለው ቁልፍ ላይ ጠቅ ያድርጉ,
|
||||
Update Password,የይለፍ ቃል ያዘምኑ,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},ረድፍ # {}-ለንጥል የመሸጥ መጠን {} ከእርሷ ያነሰ ነው። መሸጥ {} ቢያንስ ቢያንስ መሆን አለበት {},
|
||||
You can alternatively disable selling price validation in {} to bypass this validation.,ይህንን ማረጋገጫ ለማለፍ በ {} ውስጥ የሽያጭ ዋጋ ማረጋገጫውን በአማራጭ ማሰናከል ይችላሉ።,
|
||||
Invalid Selling Price,ልክ ያልሆነ የሽያጭ ዋጋ,
|
||||
Address needs to be linked to a Company. Please add a row for Company in the Links table.,አድራሻ ከኩባንያ ጋር መገናኘት አለበት ፡፡ እባክዎ በአገናኝስ ሰንጠረዥ ውስጥ ለኩባንያ አንድ ረድፍ ያክሉ።,
|
||||
Company Not Linked,ኩባንያ አልተያያዘም,
|
||||
Import Chart of Accounts from CSV / Excel files,የመለያዎች ገበታ ከ CSV / Excel ፋይሎች ያስመጡ,
|
||||
Completed Qty cannot be greater than 'Qty to Manufacture',የተጠናቀቀው ኪቲ ከ ‹Qty to Manufacturere› ሊበልጥ አይችልም ፡፡,
|
||||
"Row {0}: For Supplier {1}, Email Address is Required to send an email",ረድፍ {0} ለአቅራቢ {1} ኢሜል ለመላክ የኢሜል አድራሻ ያስፈልጋል,
|
||||
|
Can't render this file because it is too large.
|
@ -316,7 +316,7 @@ Authorized Signatory,المخول بالتوقيع,
|
||||
Auto Material Requests Generated,إنشاء طلب مواد تلقائي,
|
||||
Auto Repeat,تكرار تلقائي,
|
||||
Auto repeat document updated,تكرار تلقائي للمستندات المحدثة,
|
||||
Automotive,سيارات,متحرك بطاقة ذاتية
|
||||
Automotive,سيارات,
|
||||
Available,متاح,
|
||||
Available Leaves,المغادارت والاجازات المتاحة,
|
||||
Available Qty,الكمية المتاحة,
|
||||
@ -335,10 +335,10 @@ BOM,قائمة مكونات المواد,
|
||||
BOM Browser,قائمة مكونات المواد متصفح,
|
||||
BOM No,رقم قائمة مكونات المواد,
|
||||
BOM Rate,سعر او معدل قائمة مكونات المواد,
|
||||
BOM Stock Report,تقرير مخزون قائمة مكونات المواد,
|
||||
BOM Stock Report,تقرير مخزون فاتورة المواد,
|
||||
BOM and Manufacturing Quantity are required,مطلوب، قائمة مكونات المواد و كمية التصنيع,
|
||||
BOM does not contain any stock item,قائمة مكونات المواد لا تحتوي على أي صنف مخزون,
|
||||
BOM {0} does not belong to Item {1},قائمة مكونات المواد {0} لا تنتمي إلى الصنف {1},
|
||||
BOM does not contain any stock item,فاتورة الموارد لا تحتوي على أي صنف مخزون,
|
||||
BOM {0} does not belong to Item {1},قائمة المواد {0} لا تنتمي إلى الصنف {1},
|
||||
BOM {0} must be active,قائمة مكونات المواد {0} يجب أن تكون نشطة\n<br>\nBOM {0} must be active,
|
||||
BOM {0} must be submitted,قائمة مكونات المواد {0} يجب أن تكون مسجلة\n<br>\nBOM {0} must be submitted,
|
||||
Balance,الموازنة,
|
||||
@ -405,7 +405,7 @@ Birthday Reminder,تذكير عيد ميلاد,
|
||||
Black,أسود,
|
||||
Blanket Orders from Costumers.,أوامر شراء شاملة من العملاء.,
|
||||
Block Invoice,حظر الفاتورة,
|
||||
Boms,قوائم مكونات المواد,
|
||||
Boms,قوائم المواد,
|
||||
Bonus Payment Date cannot be a past date,لا يمكن أن يكون تاريخ الدفع المكافأ تاريخًا سابقًا,
|
||||
Both Trial Period Start Date and Trial Period End Date must be set,يجب تعيين كل من تاريخ بدء الفترة التجريبية وتاريخ انتهاء الفترة التجريبية,
|
||||
Both Warehouse must belong to same Company,يجب أن ينتمي المستودع إلى نفس الشركة\n<br>\nBoth Warehouse must belong to same Company,
|
||||
@ -504,9 +504,9 @@ Cash In Hand,النقدية الحاضرة,
|
||||
Cash or Bank Account is mandatory for making payment entry,الحساب النقدي أو البنكي مطلوب لعمل مدخل بيع <br>Cash or Bank Account is mandatory for making payment entry,
|
||||
Cashier Closing,إغلاق أمين الصندوق,
|
||||
Casual Leave,أجازة عادية,
|
||||
Category,فئة,صنف
|
||||
Category,فئة,
|
||||
Category Name,اسم التصنيف,
|
||||
Caution,الحذر,تحذير
|
||||
Caution,الحذر,
|
||||
Central Tax,الضريبة المركزية,
|
||||
Certification,شهادة,
|
||||
Cess,سيس,
|
||||
@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,الرسوم
|
||||
Chargeble,Chargeble,
|
||||
Charges are updated in Purchase Receipt against each item,تحديث الرسوم في اضافة المشتريات لكل صنف,
|
||||
"Charges will be distributed proportionately based on item qty or amount, as per your selection",وسيتم توزيع تستند رسوم متناسب على الكمية البند أو كمية، حسب اختيارك,
|
||||
Chart Of Accounts,الشجرة المحاسبية,
|
||||
Chart of Cost Centers,دليل مراكز التكلفة,
|
||||
Check all,حدد الكل,
|
||||
Checkout,دفع,
|
||||
@ -581,7 +580,6 @@ Company {0} does not exist,الشركة {0} غير موجودة,
|
||||
Compensatory Off,تعويض,
|
||||
Compensatory leave request days not in valid holidays,أيام طلب الإجازة التعويضية ليست في أيام العطل الصالحة,
|
||||
Complaint,شكوى,
|
||||
Completed Qty can not be greater than 'Qty to Manufacture',"الكمية المصنعة لا يمكن أن تكون أكبر من ""كمية التصنيع""",
|
||||
Completion Date,تاريخ الانتهاء,
|
||||
Computer,الحاسوب,
|
||||
Condition,الحالة,
|
||||
@ -1421,13 +1419,13 @@ Lab Test UOM,اختبار مختبر أوم,
|
||||
Lab Tests and Vital Signs,اختبارات المختبر وعلامات حيوية,
|
||||
Lab result datetime cannot be before testing datetime,لا يمكن أن يكون تاريخ نتيجة المختبر سابقا لتاريخ الفحص,
|
||||
Lab testing datetime cannot be before collection datetime,لا يمكن أن يكون وقت اختبار المختبر قبل تاريخ جمع البيانات,
|
||||
Label,ملصق,'طابع
|
||||
Label,ملصق,
|
||||
Laboratory,مختبر,
|
||||
Language Name,اسم اللغة,
|
||||
Large,كبير,
|
||||
Last Communication,آخر الاتصالات,
|
||||
Last Communication Date,تاريخ الاتصال الأخير,
|
||||
Last Name,اسم العائلة او اللقب,
|
||||
Last Name,اسم العائلة,
|
||||
Last Order Amount,قيمة آخر طلب,
|
||||
Last Order Date,تاريخ أخر أمر بيع,
|
||||
Last Purchase Price,سعر الشراء الأخير,
|
||||
@ -2033,7 +2031,6 @@ Please select Category first,الرجاء تحديد التصنيف أولا\n<b
|
||||
Please select Charge Type first,يرجى تحديد نوع الرسوم أولا,
|
||||
Please select Company,الرجاء اختيار شركة \n<br>\nPlease select Company,
|
||||
Please select Company and Designation,يرجى تحديد الشركة والتسمية,
|
||||
Please select Company and Party Type first,يرجى تحديد الشركة ونوع الطرف المعني أولا,
|
||||
Please select Company and Posting Date to getting entries,يرجى تحديد الشركة وتاريخ النشر للحصول على إدخالات,
|
||||
Please select Company first,الرجاء تحديد الشركة أولا\n<br>\nPlease select Company first,
|
||||
Please select Completion Date for Completed Asset Maintenance Log,يرجى تحديد تاريخ الانتهاء لاستكمال سجل صيانة الأصول,
|
||||
@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,اسم ال
|
||||
The name of your company for which you are setting up this system.,اسم الشركة التي كنت تقوم بإعداد هذا النظام.,
|
||||
The number of shares and the share numbers are inconsistent,عدد الأسهم وأعداد الأسهم غير متناسقة,
|
||||
The payment gateway account in plan {0} is different from the payment gateway account in this payment request,يختلف حساب بوابة الدفع في الخطة {0} عن حساب بوابة الدفع في طلب الدفع هذا,
|
||||
The request for quotation can be accessed by clicking on the following link,طلب للحصول على الاقتباس يمكن الوصول إليها من خلال النقر على الرابط التالي,
|
||||
The selected BOMs are not for the same item,قواائم المواد المحددة ليست لنفس البند,
|
||||
The selected item cannot have Batch,العنصر المحدد لا يمكن أن يكون دفعة,
|
||||
The seller and the buyer cannot be the same,البائع والمشتري لا يمكن أن يكون هو نفسه,
|
||||
@ -3130,7 +3126,6 @@ Total contribution percentage should be equal to 100,يجب أن تكون نسب
|
||||
Total flexible benefit component amount {0} should not be less than max benefits {1},يجب ألا يقل إجمالي مبلغ الفائدة المرنة {0} عن الحد الأقصى للمنافع {1},
|
||||
Total hours: {0},مجموع الساعات: {0},
|
||||
Total leaves allocated is mandatory for Leave Type {0},إجمالي الإجازات المخصصة إلزامي لنوع الإجازة {0},
|
||||
Total weightage assigned should be 100%. It is {0},يجب أن يكون مجموع الترجيح تعيين 100 ٪ . فمن {0},
|
||||
Total working hours should not be greater than max working hours {0},عدد ساعات العمل الكلي يجب ألا يكون أكثر من العدد الأقصى لساعات العمل {0},
|
||||
Total {0} ({1}),إجمالي {0} ({1}),
|
||||
"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","إجمالي {0} لجميع العناصر هو صفر، قد يكون عليك تغيير 'توزيع الرسوم على أساس'\n<br>\nTotal {0} for all items is zero, may be you should change 'Distribute Charges Based On'",
|
||||
@ -3544,7 +3539,6 @@ Company GSTIN,شركة غستين,
|
||||
Company field is required,حقل الشركة مطلوب,
|
||||
Creating Dimensions...,إنشاء الأبعاد ...,
|
||||
Duplicate entry against the item code {0} and manufacturer {1},إدخال مكرر مقابل رمز العنصر {0} والشركة المصنعة {1},
|
||||
Import Chart Of Accounts from CSV / Excel files,استيراد الرسم البياني للحسابات من ملفات CSV / Excel,
|
||||
Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTIN غير صالح! لا يتطابق الإدخال الذي أدخلته مع تنسيق GSTIN لحاملي UIN أو مزودي خدمة OIDAR غير المقيمين,
|
||||
Invoice Grand Total,الفاتورة الكبرى المجموع,
|
||||
Last carbon check date cannot be a future date,لا يمكن أن يكون تاريخ فحص الكربون الأخير تاريخًا مستقبلاً,
|
||||
@ -3830,7 +3824,7 @@ Liabilities,المطلوبات,
|
||||
Loading...,تحميل ...,
|
||||
Loan Amount exceeds maximum loan amount of {0} as per proposed securities,يتجاوز مبلغ القرض الحد الأقصى لمبلغ القرض {0} وفقًا للأوراق المالية المقترحة,
|
||||
Loan Applications from customers and employees.,طلبات القروض من العملاء والموظفين.,
|
||||
Loan Disbursement,صرف قرض,
|
||||
Loan Disbursement,إنفاق تمويل,
|
||||
Loan Processes,عمليات القرض,
|
||||
Loan Security,ضمان القرض,
|
||||
Loan Security Pledge,تعهد ضمان القرض,
|
||||
@ -3921,7 +3915,6 @@ Plaid authentication error,خطأ مصادقة منقوشة,
|
||||
Plaid public token error,خطأ رمزي عام منقوش,
|
||||
Plaid transactions sync error,خطأ في مزامنة المعاملات المنقوشة,
|
||||
Please check the error log for details about the import errors,الرجاء التحقق من سجل الأخطاء للحصول على تفاصيل حول أخطاء الاستيراد,
|
||||
Please click on the following link to set your new password,الرجاء الضغط على الرابط التالي لتعيين كلمة المرور الجديدة,
|
||||
Please create <b>DATEV Settings</b> for Company <b>{}</b>.,الرجاء إنشاء <b>إعدادات DATEV</b> للشركة <b>{}</b> .,
|
||||
Please create adjustment Journal Entry for amount {0} ,الرجاء إنشاء تعديل إدخال دفتر اليومية للمبلغ {0},
|
||||
Please do not create more than 500 items at a time,يرجى عدم إنشاء أكثر من 500 عنصر في وقت واحد,
|
||||
@ -3997,6 +3990,7 @@ Refreshing,جاري التحديث,
|
||||
Release date must be in the future,يجب أن يكون تاريخ الإصدار في المستقبل,
|
||||
Relieving Date must be greater than or equal to Date of Joining,يجب أن يكون تاريخ التخفيف أكبر من أو يساوي تاريخ الانضمام,
|
||||
Rename,إعادة تسمية,
|
||||
Rename Not Allowed,إعادة تسمية غير مسموح به,
|
||||
Repayment Method is mandatory for term loans,طريقة السداد إلزامية للقروض لأجل,
|
||||
Repayment Start Date is mandatory for term loans,تاريخ بدء السداد إلزامي للقروض لأجل,
|
||||
Report Item,بلغ عن شيء,
|
||||
@ -4043,7 +4037,6 @@ Search results for,نتائج البحث عن,
|
||||
Select All,تحديد الكل,
|
||||
Select Difference Account,حدد حساب الفرق,
|
||||
Select a Default Priority.,حدد أولوية افتراضية.,
|
||||
Select a Supplier from the Default Supplier List of the items below.,حدد موردًا من قائمة الموردين الافتراضية للعناصر أدناه.,
|
||||
Select a company,اختر شركة,
|
||||
Select finance book for the item {0} at row {1},حدد دفتر تمويل للعنصر {0} في الصف {1},
|
||||
Select only one Priority as Default.,حدد أولوية واحدة فقط كإعداد افتراضي.,
|
||||
@ -4247,7 +4240,6 @@ Yes,نعم,
|
||||
Actual ,فعلي,
|
||||
Add to cart,أضف إلى السلة,
|
||||
Budget,ميزانية,
|
||||
Chart Of Accounts Importer,الرسم البياني للحسابات المستورد,
|
||||
Chart of Accounts,الشجرة المحاسبية,
|
||||
Customer database.,قاعدة بيانات العملاء.,
|
||||
Days Since Last order,الأيام منذ آخر طلب,
|
||||
@ -4546,7 +4538,6 @@ Role that is allowed to submit transactions that exceed credit limits set.,ال
|
||||
Check Supplier Invoice Number Uniqueness,التحقق من رقم الفتورة المرسلة من المورد مميز (ليس متكرر),
|
||||
Make Payment via Journal Entry,قم بالدفع عن طريق قيد دفتر اليومية,
|
||||
Unlink Payment on Cancellation of Invoice,إلغاء ربط الدفع على إلغاء الفاتورة,
|
||||
Unlink Advance Payment on Cancelation of Order,إلغاء ربط الدفع المقدم عند إلغاء الطلب,
|
||||
Book Asset Depreciation Entry Automatically,كتاب اهلاك الأُصُول المدخلة تلقائيا,
|
||||
Automatically Add Taxes and Charges from Item Tax Template,إضافة الضرائب والرسوم تلقائيا من قالب الضريبة البند,
|
||||
Automatically Fetch Payment Terms,جلب شروط الدفع تلقائيًا,
|
||||
@ -4940,7 +4931,6 @@ Closing Account Head,اقفال حساب المركز الرئيسي,
|
||||
POS Customer Group,مجموعة عملاء نقطة البيع,
|
||||
POS Field,نقاط البيع الميدانية,
|
||||
POS Item Group,مجموعة المواد لنقطة البيع,
|
||||
[Select],[اختر ],
|
||||
Company Address,عنوان الشركة,
|
||||
Update Stock,تحديث المخزون,
|
||||
Ignore Pricing Rule,تجاهل (قاعدة التسعير),
|
||||
@ -6481,7 +6471,6 @@ HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM.,
|
||||
Appraisal Template,قالب التقييم,
|
||||
For Employee Name,لاسم الموظف,
|
||||
Goals,الأهداف,
|
||||
Calculate Total Score,حساب النتيجة الإجمالية,
|
||||
Total Score (Out of 5),مجموع نقاط (من 5),
|
||||
"Any other remarks, noteworthy effort that should go in the records.",أي ملاحظات أخرى، وجهود جديرة بالذكر يجب أن تدون في السجلات.,
|
||||
Appraisal Goal,الغاية من التقييم,
|
||||
@ -6599,11 +6588,6 @@ Relieving Date,تاريخ المغادرة,
|
||||
Reason for Leaving,سبب ترك العمل,
|
||||
Leave Encashed?,إجازات مصروفة نقداً؟,
|
||||
Encashment Date,تاريخ التحصيل,
|
||||
Exit Interview Details,تفاصيل مقابلة مغادرة الشركة,
|
||||
Held On,عقدت في,
|
||||
Reason for Resignation,سبب الاستقالة,
|
||||
Better Prospects,آفاق أفضل,
|
||||
Health Concerns,شؤون صحية,
|
||||
New Workplace,مكان العمل الجديد,
|
||||
HR-EAD-.YYYY.-,HR-EAD-.YYYY.-,
|
||||
Returned Amount,المبلغ المرتجع,
|
||||
@ -8239,9 +8223,6 @@ Landed Cost Help,هبطت التكلفة مساعدة,
|
||||
Manufacturers used in Items,الشركات المصنعة المستخدمة في الاصناف,
|
||||
Limited to 12 characters,تقتصر على 12 حرفا,
|
||||
MAT-MR-.YYYY.-,MAT-MR-.YYYY.-,
|
||||
Set Warehouse,تعيين المستودع,
|
||||
Sets 'For Warehouse' in each row of the Items table.,يعيّن "للمستودع" في كل صف من جدول السلع.,
|
||||
Requested For,طلب لل,
|
||||
Partially Ordered,طلبت جزئيًا,
|
||||
Transferred,نقل,
|
||||
% Ordered,٪ تم طلبها,
|
||||
@ -8690,8 +8671,6 @@ Material Request Warehouse,مستودع طلب المواد,
|
||||
Select warehouse for material requests,حدد المستودع لطلبات المواد,
|
||||
Transfer Materials For Warehouse {0},نقل المواد للمستودع {0},
|
||||
Production Plan Material Request Warehouse,مستودع طلب مواد خطة الإنتاج,
|
||||
Set From Warehouse,تعيين من المستودع,
|
||||
Source Warehouse (Material Transfer),مستودع المصدر (نقل المواد),
|
||||
Sets 'Source Warehouse' in each row of the items table.,يعيّن "مستودع المصدر" في كل صف من جدول العناصر.,
|
||||
Sets 'Target Warehouse' in each row of the items table.,يعيّن "المستودع المستهدف" في كل صف من جدول العناصر.,
|
||||
Show Cancelled Entries,إظهار الإدخالات الملغاة,
|
||||
@ -9157,7 +9136,6 @@ Professional Tax,الضريبة المهنية,
|
||||
Is Income Tax Component,هو مكون ضريبة الدخل,
|
||||
Component properties and references ,خصائص المكونات والمراجع,
|
||||
Additional Salary ,الراتب الإضافي,
|
||||
Condtion and formula,الشرط والصيغة,
|
||||
Unmarked days,أيام غير محددة,
|
||||
Absent Days,أيام الغياب,
|
||||
Conditions and Formula variable and example,متغير الشروط والصيغة والمثال,
|
||||
@ -9444,7 +9422,6 @@ Plaid invalid request error,خطأ طلب غير صالح منقوشة,
|
||||
Please check your Plaid client ID and secret values,يرجى التحقق من معرّف عميل Plaid والقيم السرية,
|
||||
Bank transaction creation error,خطأ في إنشاء معاملة البنك,
|
||||
Unit of Measurement,وحدة قياس,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Row # {}: معدل بيع العنصر {} أقل من {}. يجب أن يكون معدل البيع على الأقل {},
|
||||
Fiscal Year {0} Does Not Exist,السنة المالية {0} غير موجودة,
|
||||
Row # {0}: Returned Item {1} does not exist in {2} {3},الصف رقم {0}: العنصر الذي تم إرجاعه {1} غير موجود في {2} {3},
|
||||
Valuation type charges can not be marked as Inclusive,لا يمكن تحديد رسوم نوع التقييم على أنها شاملة,
|
||||
@ -9598,8 +9575,60 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,عيّن وق
|
||||
Response Time for {0} priority in row {1} can't be greater than Resolution Time.,لا يمكن أن يكون وقت الاستجابة {0} للأولوية في الصف {1} أكبر من وقت الحل.,
|
||||
{0} is not enabled in {1},{0} غير ممكّن في {1},
|
||||
Group by Material Request,تجميع حسب طلب المواد,
|
||||
"Row {0}: For Supplier {0}, Email Address is Required to Send Email",الصف {0}: للمورد {0} ، عنوان البريد الإلكتروني مطلوب لإرسال بريد إلكتروني,
|
||||
Email Sent to Supplier {0},تم إرسال بريد إلكتروني إلى المورد {0},
|
||||
"The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.",تم تعطيل الوصول إلى طلب عرض الأسعار من البوابة. للسماح بالوصول ، قم بتمكينه في إعدادات البوابة.,
|
||||
Supplier Quotation {0} Created,تم إنشاء عرض أسعار المورد {0},
|
||||
Valid till Date cannot be before Transaction Date,صالح حتى التاريخ لا يمكن أن يكون قبل تاريخ المعاملة,
|
||||
Unlink Advance Payment on Cancellation of Order,إلغاء ربط الدفع المسبق عند إلغاء الطلب,
|
||||
"Simple Python Expression, Example: territory != 'All Territories'",تعبير بايثون بسيط ، مثال: إقليم! = "كل الأقاليم",
|
||||
Sales Contributions and Incentives,مساهمات وحوافز المبيعات,
|
||||
Sourced by Supplier,مصدرها المورد,
|
||||
Total weightage assigned should be 100%.<br>It is {0},يجب أن يكون الوزن الإجمالي المخصص 100٪.<br> إنه {0},
|
||||
Account {0} exists in parent company {1}.,الحساب {0} موجود في الشركة الأم {1}.,
|
||||
"To overrule this, enable '{0}' in company {1}",لإلغاء هذا ، قم بتمكين "{0}" في الشركة {1},
|
||||
Invalid condition expression,تعبير شرط غير صالح,
|
||||
Please Select a Company First,الرجاء تحديد شركة أولاً,
|
||||
Please Select Both Company and Party Type First,الرجاء تحديد نوع الشركة والحزب أولاً,
|
||||
Provide the invoice portion in percent,قم بتوفير جزء الفاتورة بالنسبة المئوية,
|
||||
Give number of days according to prior selection,أعط عدد الأيام حسب الاختيار المسبق,
|
||||
Email Details,تفاصيل البريد الإلكتروني,
|
||||
"Select a greeting for the receiver. E.g. Mr., Ms., etc.",حدد تحية للمتلقي. على سبيل المثال السيد ، السيدة ، إلخ.,
|
||||
Preview Email,معاينة البريد الإلكتروني,
|
||||
Please select a Supplier,الرجاء اختيار مورد,
|
||||
Supplier Lead Time (days),مهلة المورد (أيام),
|
||||
"Home, Work, etc.",المنزل والعمل وما إلى ذلك.,
|
||||
Exit Interview Held On,أجريت مقابلة الخروج,
|
||||
Condition and formula,الشرط والصيغة,
|
||||
Sets 'Target Warehouse' in each row of the Items table.,يعيّن "المستودع المستهدف" في كل صف من جدول السلع.,
|
||||
Sets 'Source Warehouse' in each row of the Items table.,يعيّن "مستودع المصدر" في كل صف من جدول السلع.,
|
||||
POS Register,سجل نقاط البيع,
|
||||
"Can not filter based on POS Profile, if grouped by POS Profile",لا يمكن التصفية بناءً على ملف تعريف نقطة البيع ، إذا تم تجميعها حسب ملف تعريف نقطة البيع,
|
||||
"Can not filter based on Customer, if grouped by Customer",لا يمكن التصفية بناءً على العميل ، إذا تم تجميعه بواسطة العميل,
|
||||
"Can not filter based on Cashier, if grouped by Cashier",لا يمكن التصفية على أساس Cashier ، إذا تم تجميعها بواسطة Cashier,
|
||||
Payment Method,طريقة الدفع او السداد,
|
||||
"Can not filter based on Payment Method, if grouped by Payment Method",لا يمكن التصفية بناءً على طريقة الدفع ، إذا تم تجميعها حسب طريقة الدفع,
|
||||
Supplier Quotation Comparison,مقارنة عروض أسعار الموردين,
|
||||
Price per Unit (Stock UOM),السعر لكل وحدة (المخزون UOM),
|
||||
Group by Supplier,تجميع حسب المورد,
|
||||
Group by Item,تجميع حسب البند,
|
||||
Remember to set {field_label}. It is required by {regulation}.,تذكر أن تقوم بتعيين {field_label}. مطلوب بموجب {لائحة}.,
|
||||
Enrollment Date cannot be before the Start Date of the Academic Year {0},لا يمكن أن يكون تاريخ التسجيل قبل تاريخ بدء العام الأكاديمي {0},
|
||||
Enrollment Date cannot be after the End Date of the Academic Term {0},لا يمكن أن يكون تاريخ التسجيل بعد تاريخ انتهاء الفصل الدراسي {0},
|
||||
Enrollment Date cannot be before the Start Date of the Academic Term {0},لا يمكن أن يكون تاريخ التسجيل قبل تاريخ بدء الفصل الدراسي {0},
|
||||
Posting future transactions are not allowed due to Immutable Ledger,لا يُسمح بنشر المعاملات المستقبلية بسبب دفتر الأستاذ غير القابل للتغيير,
|
||||
Future Posting Not Allowed,النشر في المستقبل غير مسموح به,
|
||||
"To enable Capital Work in Progress Accounting, ",لتمكين محاسبة الأعمال الرأسمالية الجارية ،,
|
||||
you must select Capital Work in Progress Account in accounts table,يجب عليك تحديد حساب رأس المال قيد التقدم في جدول الحسابات,
|
||||
You can also set default CWIP account in Company {},يمكنك أيضًا تعيين حساب CWIP الافتراضي في الشركة {},
|
||||
The Request for Quotation can be accessed by clicking on the following button,يمكن الوصول إلى طلب عرض الأسعار من خلال النقر على الزر التالي,
|
||||
Regards,مع تحياتي,
|
||||
Please click on the following button to set your new password,الرجاء النقر فوق الزر التالي لتعيين كلمة المرور الجديدة,
|
||||
Update Password,تطوير كلمة السر,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Row # {}: معدل بيع العنصر {} أقل من {}. يجب بيع {} على الأقل {},
|
||||
You can alternatively disable selling price validation in {} to bypass this validation.,يمكنك بدلاً من ذلك تعطيل التحقق من سعر البيع في {} لتجاوز هذا التحقق.,
|
||||
Invalid Selling Price,سعر البيع غير صالح,
|
||||
Address needs to be linked to a Company. Please add a row for Company in the Links table.,يجب ربط العنوان بشركة. الرجاء إضافة صف للشركة في جدول الروابط.,
|
||||
Company Not Linked,شركة غير مرتبطة,
|
||||
Import Chart of Accounts from CSV / Excel files,استيراد مخطط الحسابات من ملفات CSV / Excel,
|
||||
Completed Qty cannot be greater than 'Qty to Manufacture',لا يمكن أن تكون الكمية المكتملة أكبر من "الكمية إلى التصنيع",
|
||||
"Row {0}: For Supplier {1}, Email Address is Required to send an email",الصف {0}: للمورد {1} ، مطلوب عنوان البريد الإلكتروني لإرسال بريد إلكتروني,
|
||||
|
Can't render this file because it is too large.
|
@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge от
|
||||
Chargeble,Chargeble,
|
||||
Charges are updated in Purchase Receipt against each item,Такси се обновяват на изкупните Квитанция за всяка стока,
|
||||
"Charges will be distributed proportionately based on item qty or amount, as per your selection","Таксите ще бъдат разпределени пропорционално на базата на т Количество или количество, според вашия избор",
|
||||
Chart Of Accounts,Сметкоплан,
|
||||
Chart of Cost Centers,Списък на Разходни центрове,
|
||||
Check all,Избери всичко,
|
||||
Checkout,Поръчка,
|
||||
@ -581,7 +580,6 @@ Company {0} does not exist,Компания {0} не съществува,
|
||||
Compensatory Off,Компенсаторни Off,
|
||||
Compensatory leave request days not in valid holidays,Компенсаторните отпуски не важат за валидни празници,
|
||||
Complaint,оплакване,
|
||||
Completed Qty can not be greater than 'Qty to Manufacture',"Изпълнено Количество не може да бъде по-голямо от ""Количество за производство""",
|
||||
Completion Date,дата на завършване,
|
||||
Computer,компютър,
|
||||
Condition,Състояние,
|
||||
@ -2033,7 +2031,6 @@ Please select Category first,"Моля, изберете Категория пъ
|
||||
Please select Charge Type first,Моля изберете вид на разхода първо,
|
||||
Please select Company,Моля изберете фирма,
|
||||
Please select Company and Designation,"Моля, изберете Company and Designation",
|
||||
Please select Company and Party Type first,Моля изберете Company и Party Type първи,
|
||||
Please select Company and Posting Date to getting entries,"Моля, изберете Фирма и дата на публикуване, за да получавате записи",
|
||||
Please select Company first,"Моля, изберете първо фирма",
|
||||
Please select Completion Date for Completed Asset Maintenance Log,"Моля, изберете Дата на завършване на регистрационния дневник за завършено състояние на активите",
|
||||
@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,"Името
|
||||
The name of your company for which you are setting up this system.,"Името на Вашата фирма, за която искате да създадете тази система.",
|
||||
The number of shares and the share numbers are inconsistent,Броят на акциите и номерата на акциите са неконсистентни,
|
||||
The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Профилът на платежния шлюз в плана {0} е различен от профила на платежния шлюз в това искане за плащане,
|
||||
The request for quotation can be accessed by clicking on the following link,Искането за котировки могат да бъдат достъпни чрез щракване върху следния линк,
|
||||
The selected BOMs are not for the same item,Избраните списъците с материали не са за една и съща позиция,
|
||||
The selected item cannot have Batch,Избраният елемент не може да има партида,
|
||||
The seller and the buyer cannot be the same,Продавачът и купувачът не могат да бъдат същите,
|
||||
@ -3130,7 +3126,6 @@ Total contribution percentage should be equal to 100,Общият процент
|
||||
Total flexible benefit component amount {0} should not be less than max benefits {1},Общият размер на гъвкавия компонент на обезщетението {0} не трябва да бъде по-малък от максималните ползи {1},
|
||||
Total hours: {0},Общо часове: {0},
|
||||
Total leaves allocated is mandatory for Leave Type {0},Общото разпределение на листа е задължително за тип "Отпуск" {0},
|
||||
Total weightage assigned should be 100%. It is {0},Общо weightage определен да бъде 100%. Това е {0},
|
||||
Total working hours should not be greater than max working hours {0},Общо работно време не трябва да са по-големи от работното време макс {0},
|
||||
Total {0} ({1}),Общо {0} ({1}),
|
||||
"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Общо {0} за всички позиции е равна на нула, може да е необходимо да се промени "Разпределете такси на базата на"",
|
||||
@ -3544,7 +3539,6 @@ Company GSTIN,Фирма GSTIN,
|
||||
Company field is required,Полето на фирмата е задължително,
|
||||
Creating Dimensions...,Създаване на размери ...,
|
||||
Duplicate entry against the item code {0} and manufacturer {1},Дублиран запис срещу кода на артикула {0} и производителя {1},
|
||||
Import Chart Of Accounts from CSV / Excel files,Импортиране на сметкоплан от CSV / Excel файлове,
|
||||
Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Невалиден GSTIN! Въведеният от вас вход не съвпада с GSTIN формата за притежатели на UIN или нерезидентни доставчици на услуги OIDAR,
|
||||
Invoice Grand Total,Фактура Голяма Обща,
|
||||
Last carbon check date cannot be a future date,Последната дата за проверка на въглерода не може да бъде бъдеща дата,
|
||||
@ -3921,7 +3915,6 @@ Plaid authentication error,Грешка в автентичността на п
|
||||
Plaid public token error,Грешка в обществен маркер,
|
||||
Plaid transactions sync error,Грешка при синхронизиране на транзакции,
|
||||
Please check the error log for details about the import errors,"Моля, проверете журнала за грешки за подробности относно грешките при импортиране",
|
||||
Please click on the following link to set your new password,"Моля, кликнете върху следния линк, за да зададете нова парола",
|
||||
Please create <b>DATEV Settings</b> for Company <b>{}</b>.,"Моля, създайте <b>настройките</b> на <b>DATEV</b> за компания <b>{}</b> .",
|
||||
Please create adjustment Journal Entry for amount {0} ,"Моля, създайте корекция на вписването в журнала за сума {0}",
|
||||
Please do not create more than 500 items at a time,"Моля, не създавайте повече от 500 артикула наведнъж",
|
||||
@ -3997,6 +3990,7 @@ Refreshing,Обновяване,
|
||||
Release date must be in the future,Дата на издаване трябва да бъде в бъдеще,
|
||||
Relieving Date must be greater than or equal to Date of Joining,Дата на освобождаване трябва да бъде по-голяма или равна на датата на присъединяване,
|
||||
Rename,Преименувай,
|
||||
Rename Not Allowed,Преименуването не е позволено,
|
||||
Repayment Method is mandatory for term loans,Методът на погасяване е задължителен за срочните заеми,
|
||||
Repayment Start Date is mandatory for term loans,Началната дата на погасяване е задължителна за срочните заеми,
|
||||
Report Item,Елемент на отчета,
|
||||
@ -4043,7 +4037,6 @@ Search results for,Резултати от търсенето за,
|
||||
Select All,Избери всички,
|
||||
Select Difference Account,Изберете Различен акаунт,
|
||||
Select a Default Priority.,Изберете приоритет по подразбиране.,
|
||||
Select a Supplier from the Default Supplier List of the items below.,Изберете доставчик от списъка с доставчици по подразбиране на артикулите по-долу.,
|
||||
Select a company,Изберете фирма,
|
||||
Select finance book for the item {0} at row {1},Изберете книга за финансиране за елемента {0} на ред {1},
|
||||
Select only one Priority as Default.,Изберете само един приоритет по подразбиране.,
|
||||
@ -4247,7 +4240,6 @@ Yes,да,
|
||||
Actual ,действителен,
|
||||
Add to cart,Добави в кошницата,
|
||||
Budget,бюджет,
|
||||
Chart Of Accounts Importer,Вносител на сметкоплан,
|
||||
Chart of Accounts,График на сметките,
|
||||
Customer database.,База данни на клиентите.,
|
||||
Days Since Last order,Дни след последната поръчка,
|
||||
@ -4546,7 +4538,6 @@ Role that is allowed to submit transactions that exceed credit limits set.,"Ро
|
||||
Check Supplier Invoice Number Uniqueness,Провери за уникалност на фактура на доставчик,
|
||||
Make Payment via Journal Entry,Направи Плащане чрез вестник Влизане,
|
||||
Unlink Payment on Cancellation of Invoice,Прекратяване на връзката с плащане при анулиране на фактура,
|
||||
Unlink Advance Payment on Cancelation of Order,Прекратяване на авансовото плащане при анулиране на поръчката,
|
||||
Book Asset Depreciation Entry Automatically,Автоматично отписване на амортизацията на активи,
|
||||
Automatically Add Taxes and Charges from Item Tax Template,Автоматично добавяне на данъци и такси от шаблона за данък върху стоки,
|
||||
Automatically Fetch Payment Terms,Автоматично извличане на условията за плащане,
|
||||
@ -4940,7 +4931,6 @@ Closing Account Head,Закриване на профила Head,
|
||||
POS Customer Group,POS Customer Group,
|
||||
POS Field,ПОС поле,
|
||||
POS Item Group,POS Позиция Group,
|
||||
[Select],[Избор],
|
||||
Company Address,Адрес на компанията,
|
||||
Update Stock,Актуализация Наличности,
|
||||
Ignore Pricing Rule,Игнориране на правилата за ценообразуване,
|
||||
@ -6481,7 +6471,6 @@ HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM.,
|
||||
Appraisal Template,Оценка Template,
|
||||
For Employee Name,За Име на служител,
|
||||
Goals,Цели,
|
||||
Calculate Total Score,Изчисли Общ резултат,
|
||||
Total Score (Out of 5),Общ резултат (от 5),
|
||||
"Any other remarks, noteworthy effort that should go in the records.","Всякакви други забележки, отбелязване на усилието, които трябва да отиде в регистрите.",
|
||||
Appraisal Goal,Оценка Goal,
|
||||
@ -6599,11 +6588,6 @@ Relieving Date,Облекчаване Дата,
|
||||
Reason for Leaving,Причина за напускане,
|
||||
Leave Encashed?,Отсъствието е платено?,
|
||||
Encashment Date,Инкасо Дата,
|
||||
Exit Interview Details,Exit Интервю - Детайли,
|
||||
Held On,Проведена На,
|
||||
Reason for Resignation,Причина за Оставка,
|
||||
Better Prospects,По-добри перспективи,
|
||||
Health Concerns,Здравни проблеми,
|
||||
New Workplace,Ново работно място,
|
||||
HR-EAD-.YYYY.-,HR-ЕАД-.YYYY.-,
|
||||
Returned Amount,Върната сума,
|
||||
@ -8239,9 +8223,6 @@ Landed Cost Help,Поземлен Cost Помощ,
|
||||
Manufacturers used in Items,Използвани производители в артикули,
|
||||
Limited to 12 characters,Ограничено до 12 символа,
|
||||
MAT-MR-.YYYY.-,МАТ-MR-.YYYY.-,
|
||||
Set Warehouse,Комплект Склад,
|
||||
Sets 'For Warehouse' in each row of the Items table.,Задава „За склад“ във всеки ред от таблицата „Предмети“.,
|
||||
Requested For,Поискана за,
|
||||
Partially Ordered,Частично подредени,
|
||||
Transferred,Прехвърлен,
|
||||
% Ordered,% Поръчани,
|
||||
@ -8690,8 +8671,6 @@ Material Request Warehouse,Склад за заявки за материали,
|
||||
Select warehouse for material requests,Изберете склад за заявки за материали,
|
||||
Transfer Materials For Warehouse {0},Прехвърляне на материали за склад {0},
|
||||
Production Plan Material Request Warehouse,Склад за искане на материал за производствен план,
|
||||
Set From Warehouse,Комплект от склад,
|
||||
Source Warehouse (Material Transfer),Склад на източника (прехвърляне на материали),
|
||||
Sets 'Source Warehouse' in each row of the items table.,Задава „Склад на източника“ във всеки ред от таблицата с артикули.,
|
||||
Sets 'Target Warehouse' in each row of the items table.,Задава „Target Warehouse“ във всеки ред от таблицата с елементи.,
|
||||
Show Cancelled Entries,Показване на отменени записи,
|
||||
@ -9157,7 +9136,6 @@ Professional Tax,Професионален данък,
|
||||
Is Income Tax Component,Е компонент на данъка върху дохода,
|
||||
Component properties and references ,Свойства на компонентите и препратки,
|
||||
Additional Salary ,Допълнителна заплата,
|
||||
Condtion and formula,Състояние и формула,
|
||||
Unmarked days,Немаркирани дни,
|
||||
Absent Days,Отсъстващи дни,
|
||||
Conditions and Formula variable and example,Условия и формула променлива и пример,
|
||||
@ -9444,7 +9422,6 @@ Plaid invalid request error,Грешка при невалидна заявка
|
||||
Please check your Plaid client ID and secret values,"Моля, проверете идентификационния номер на клиента си и тайните стойности",
|
||||
Bank transaction creation error,Грешка при създаване на банкова транзакция,
|
||||
Unit of Measurement,Мерна единица,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Ред № {}: Процентът на продажба на артикул {} е по-нисък от своя {}. Курсът на продажба трябва да бъде поне {},
|
||||
Fiscal Year {0} Does Not Exist,Фискална година {0} не съществува,
|
||||
Row # {0}: Returned Item {1} does not exist in {2} {3},Ред № {0}: Върнат артикул {1} не съществува в {2} {3},
|
||||
Valuation type charges can not be marked as Inclusive,Таксите от типа оценка не могат да бъдат маркирани като Включително,
|
||||
@ -9598,8 +9575,60 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Задайт
|
||||
Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Времето за реакция за {0} приоритет в ред {1} не може да бъде по-голямо от времето за резолюция.,
|
||||
{0} is not enabled in {1},{0} не е активиран в {1},
|
||||
Group by Material Request,Групиране по заявка за материал,
|
||||
"Row {0}: For Supplier {0}, Email Address is Required to Send Email",Ред {0}: За доставчика {0} е необходим имейл адрес за изпращане на имейл,
|
||||
Email Sent to Supplier {0},Изпратено имейл до доставчика {0},
|
||||
"The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","Достъпът до заявка за оферта от портала е деактивиран. За да разрешите достъп, разрешете го в настройките на портала.",
|
||||
Supplier Quotation {0} Created,Оферта на доставчика {0} Създадена,
|
||||
Valid till Date cannot be before Transaction Date,Валидно до Дата не може да бъде преди Датата на транзакцията,
|
||||
Unlink Advance Payment on Cancellation of Order,Прекратете връзката с авансово плащане при анулиране на поръчка,
|
||||
"Simple Python Expression, Example: territory != 'All Territories'","Прост израз на Python, Пример: территория! = 'Всички територии'",
|
||||
Sales Contributions and Incentives,Вноски и стимули за продажби,
|
||||
Sourced by Supplier,Източник от доставчика,
|
||||
Total weightage assigned should be 100%.<br>It is {0},Общото определено претегляне трябва да бъде 100%.<br> Това е {0},
|
||||
Account {0} exists in parent company {1}.,Профилът {0} съществува в компанията майка {1}.,
|
||||
"To overrule this, enable '{0}' in company {1}","За да отмените това, активирайте „{0}“ във фирма {1}",
|
||||
Invalid condition expression,Невалиден израз на условие,
|
||||
Please Select a Company First,"Моля, първо изберете компания",
|
||||
Please Select Both Company and Party Type First,"Моля, първо изберете както фирма, така и тип страна",
|
||||
Provide the invoice portion in percent,Предоставете частта от фактурата в проценти,
|
||||
Give number of days according to prior selection,Посочете броя дни според предварителния подбор,
|
||||
Email Details,Подробности за имейл,
|
||||
"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Изберете поздрав за приемника. Например г-н, г-жа и т.н.",
|
||||
Preview Email,Визуализация на имейл,
|
||||
Please select a Supplier,"Моля, изберете доставчик",
|
||||
Supplier Lead Time (days),Време за доставка на доставчика (дни),
|
||||
"Home, Work, etc.","Дом, работа и др.",
|
||||
Exit Interview Held On,Интервюто за изход се проведе,
|
||||
Condition and formula,Състояние и формула,
|
||||
Sets 'Target Warehouse' in each row of the Items table.,Задава „Целеви склад“ във всеки ред от таблицата „Елементи“.,
|
||||
Sets 'Source Warehouse' in each row of the Items table.,Задава „Склад на източника“ във всеки ред от таблицата „Елементи“.,
|
||||
POS Register,POS регистър,
|
||||
"Can not filter based on POS Profile, if grouped by POS Profile","Не може да се филтрира въз основа на POS профил, ако е групиран по POS профил",
|
||||
"Can not filter based on Customer, if grouped by Customer","Не може да се филтрира въз основа на Клиент, ако е групиран от Клиент",
|
||||
"Can not filter based on Cashier, if grouped by Cashier","Не може да се филтрира въз основа на Каса, ако е групирана по Каса",
|
||||
Payment Method,Начин на плащане,
|
||||
"Can not filter based on Payment Method, if grouped by Payment Method","Не може да се филтрира въз основа на начин на плащане, ако е групиран по начин на плащане",
|
||||
Supplier Quotation Comparison,Сравнение на офертите на доставчика,
|
||||
Price per Unit (Stock UOM),Цена за единица (запас UOM),
|
||||
Group by Supplier,Групиране по доставчик,
|
||||
Group by Item,Групиране по артикул,
|
||||
Remember to set {field_label}. It is required by {regulation}.,Не забравяйте да зададете {field_label}. Изисква се от {регламент}.,
|
||||
Enrollment Date cannot be before the Start Date of the Academic Year {0},Датата на записване не може да бъде преди началната дата на учебната година {0},
|
||||
Enrollment Date cannot be after the End Date of the Academic Term {0},Датата на записване не може да бъде след Крайната дата на академичния срок {0},
|
||||
Enrollment Date cannot be before the Start Date of the Academic Term {0},Дата на записване не може да бъде преди началната дата на академичния срок {0},
|
||||
Posting future transactions are not allowed due to Immutable Ledger,Публикуването на бъдещи транзакции не е разрешено поради неизменяема книга,
|
||||
Future Posting Not Allowed,Публикуването в бъдеще не е разрешено,
|
||||
"To enable Capital Work in Progress Accounting, ","За да активирате счетоводното отчитане на текущата работа,",
|
||||
you must select Capital Work in Progress Account in accounts table,трябва да изберете Сметка за текущ капитал в таблицата на сметките,
|
||||
You can also set default CWIP account in Company {},Можете също да зададете CWIP акаунт по подразбиране във Фирма {},
|
||||
The Request for Quotation can be accessed by clicking on the following button,"Заявката за оферта може да бъде достъпна, като кликнете върху следния бутон",
|
||||
Regards,за разбирането,
|
||||
Please click on the following button to set your new password,"Моля, кликнете върху следния бутон, за да зададете новата си парола",
|
||||
Update Password,Актуализиране на паролата,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Ред № {}: Процентът на продажба на артикул {} е по-нисък от своя {}. Продажбата {} трябва да бъде поне {},
|
||||
You can alternatively disable selling price validation in {} to bypass this validation.,"Можете алтернативно да деактивирате проверката на продажните цени в {}, за да заобиколите тази проверка.",
|
||||
Invalid Selling Price,Невалидна продажна цена,
|
||||
Address needs to be linked to a Company. Please add a row for Company in the Links table.,"Адресът трябва да бъде свързан с компания. Моля, добавете ред за компания в таблицата с връзки.",
|
||||
Company Not Linked,Фирма не е свързана,
|
||||
Import Chart of Accounts from CSV / Excel files,Импортиране на сметката от CSV / Excel файлове,
|
||||
Completed Qty cannot be greater than 'Qty to Manufacture',Попълненото количество не може да бъде по-голямо от „Количество за производство“,
|
||||
"Row {0}: For Supplier {1}, Email Address is Required to send an email",Ред {0}: За доставчика {1} е необходим имейл адрес за изпращане на имейл,
|
||||
|
Can't render this file because it is too large.
|
@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,টাইপ
|
||||
Chargeble,Chargeble,
|
||||
Charges are updated in Purchase Receipt against each item,চার্জ প্রতিটি আইটেমের বিরুদ্ধে কেনার রসিদ মধ্যে আপডেট করা হয়,
|
||||
"Charges will be distributed proportionately based on item qty or amount, as per your selection","চার্জ আনুপাতিক আপনার নির্বাচন অনুযায়ী, আইটেম Qty বা পরিমাণ উপর ভিত্তি করে বিতরণ করা হবে",
|
||||
Chart Of Accounts,হিসাবরক্ষনের তালিকা,
|
||||
Chart of Cost Centers,খরচ কেন্দ্র এর চার্ট,
|
||||
Check all,সবগুলু যাচাই করুন,
|
||||
Checkout,চেকআউট,
|
||||
@ -581,7 +580,6 @@ Company {0} does not exist,কোম্পানির {0} অস্তিত্
|
||||
Compensatory Off,পূরক অফ,
|
||||
Compensatory leave request days not in valid holidays,বাধ্যতামূলক ছুটি অনুরোধ দিন বৈধ ছুটির দিন না,
|
||||
Complaint,অভিযোগ,
|
||||
Completed Qty can not be greater than 'Qty to Manufacture',চেয়ে 'স্টক প্রস্তুত করতে' সম্পন্ন Qty বৃহত্তর হতে পারে না,
|
||||
Completion Date,সমাপ্তির তারিখ,
|
||||
Computer,কম্পিউটার,
|
||||
Condition,শর্ত,
|
||||
@ -2033,7 +2031,6 @@ Please select Category first,প্রথম শ্রেণী নির্ব
|
||||
Please select Charge Type first,প্রথম অভিযোগ টাইপ নির্বাচন করুন,
|
||||
Please select Company,কোম্পানি নির্বাচন করুন,
|
||||
Please select Company and Designation,দয়া করে কোম্পানি এবং মনোনীত নির্বাচন করুন,
|
||||
Please select Company and Party Type first,প্রথম কোম্পানি ও অনুষ্ঠান প্রকার নির্বাচন করুন,
|
||||
Please select Company and Posting Date to getting entries,অনুগ্রহ করে এন্ট্রি পাওয়ার জন্য কোম্পানি এবং পোস্টিং তারিখ নির্বাচন করুন,
|
||||
Please select Company first,প্রথম কোম্পানি নির্বাচন করুন,
|
||||
Please select Completion Date for Completed Asset Maintenance Log,সম্পুর্ণ সম্পত্তির রক্ষণাবেক্ষণ লগের জন্য সমাপ্তির তারিখ নির্বাচন করুন,
|
||||
@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,"ইনস
|
||||
The name of your company for which you are setting up this system.,"আপনার কোম্পানির নাম, যার জন্য আপনি এই সিস্টেম সেট আপ করা হয়.",
|
||||
The number of shares and the share numbers are inconsistent,শেয়ার সংখ্যা এবং শেয়ার নম্বর অসম্পূর্ণ,
|
||||
The payment gateway account in plan {0} is different from the payment gateway account in this payment request,এই পেমেন্ট অনুরোধে পেমেন্ট গেটওয়ে অ্যাকাউন্ট থেকে প্ল্যান {0} পেমেন্ট গেটওয়ে অ্যাকাউন্টটি ভিন্ন,
|
||||
The request for quotation can be accessed by clicking on the following link,উদ্ধৃতি জন্য অনুরোধ নিম্নলিখিত লিঙ্কে ক্লিক করে প্রবেশ করা যেতে পারে,
|
||||
The selected BOMs are not for the same item,নির্বাচিত BOMs একই আইটেমের জন্য নয়,
|
||||
The selected item cannot have Batch,নির্বাচিত আইটেমের ব্যাচ থাকতে পারে না,
|
||||
The seller and the buyer cannot be the same,বিক্রেতা এবং ক্রেতা একই হতে পারে না,
|
||||
@ -3130,7 +3126,6 @@ Total contribution percentage should be equal to 100,মোট অবদান
|
||||
Total flexible benefit component amount {0} should not be less than max benefits {1},মোট নমনীয় সুবিধা উপাদান পরিমাণ {0} সর্বোচ্চ সুবিধাগুলির চেয়ে কম হওয়া উচিত নয় {1},
|
||||
Total hours: {0},মোট ঘন্টা: {0},
|
||||
Total leaves allocated is mandatory for Leave Type {0},বন্টন প্রকারের {0} জন্য বরাদ্দকৃত মোট পাতার বাধ্যতামূলক,
|
||||
Total weightage assigned should be 100%. It is {0},100% হওয়া উচিত নির্ধারিত মোট গুরুত্ব. এটা হল {0},
|
||||
Total working hours should not be greater than max working hours {0},মোট কাজ ঘন্টা সর্বোচ্চ কর্মঘন্টা চেয়ে বেশী করা উচিত হবে না {0},
|
||||
Total {0} ({1}),মোট {0} ({1}),
|
||||
"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","মোট {0} সব আইটেম জন্য শূন্য, আপনি 'উপর ভিত্তি করে চার্জ বিতরণ' পরিবর্তন করা উচিত হতে পারে",
|
||||
@ -3544,7 +3539,6 @@ Company GSTIN,কোম্পানির GSTIN,
|
||||
Company field is required,কোম্পানির ক্ষেত্র প্রয়োজন,
|
||||
Creating Dimensions...,মাত্রা তৈরি করা হচ্ছে ...,
|
||||
Duplicate entry against the item code {0} and manufacturer {1},আইটেম কোড {0} এবং প্রস্তুতকারকের {1 against এর বিপরীতে সদৃশ প্রবেশ,
|
||||
Import Chart Of Accounts from CSV / Excel files,সিএসভি / এক্সেল ফাইলগুলি থেকে অ্যাকাউন্টগুলির চার্ট আমদানি করুন,
|
||||
Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,অবৈধ জিএসটিআইএন! আপনি যে ইনপুটটি প্রবেশ করেছেন তা ইউআইএন হোল্ডার বা অনাবাসিক OIDAR পরিষেবা সরবরাহকারীদের জন্য জিএসটিআইএন ফর্ম্যাটের সাথে মেলে না,
|
||||
Invoice Grand Total,চালান গ্র্যান্ড টোটাল,
|
||||
Last carbon check date cannot be a future date,শেষ কার্বন চেকের তারিখ কোনও ভবিষ্যতের তারিখ হতে পারে না,
|
||||
@ -3921,7 +3915,6 @@ Plaid authentication error,প্লেড প্রমাণীকরণের
|
||||
Plaid public token error,প্লেড পাবলিক টোকেন ত্রুটি,
|
||||
Plaid transactions sync error,প্লেড লেনদেনের সিঙ্ক ত্রুটি,
|
||||
Please check the error log for details about the import errors,আমদানি ত্রুটি সম্পর্কে বিশদ জন্য ত্রুটি লগ চেক করুন,
|
||||
Please click on the following link to set your new password,আপনার নতুন পাসওয়ার্ড সেট করতে নিচের লিঙ্কে ক্লিক করুন,
|
||||
Please create <b>DATEV Settings</b> for Company <b>{}</b>.,দয়া করে কোম্পানির জন্য <b>DATEV সেটিংস</b> তৈরি করুন <b>}}</b>,
|
||||
Please create adjustment Journal Entry for amount {0} ,দয়া করে} 0 amount পরিমাণের জন্য সামঞ্জস্য জার্নাল এন্ট্রি তৈরি করুন,
|
||||
Please do not create more than 500 items at a time,দয়া করে একবারে 500 টিরও বেশি আইটেম তৈরি করবেন না,
|
||||
@ -3997,6 +3990,7 @@ Refreshing,সতেজকারক,
|
||||
Release date must be in the future,প্রকাশের তারিখ অবশ্যই ভবিষ্যতে হবে,
|
||||
Relieving Date must be greater than or equal to Date of Joining,মুক্তির তারিখ অবশ্যই যোগদানের তারিখের চেয়ে বড় বা সমান হতে হবে,
|
||||
Rename,পুনঃনামকরণ,
|
||||
Rename Not Allowed,পুনঃনামকরণ অনুমোদিত নয়,
|
||||
Repayment Method is mandatory for term loans,মেয়াদী loansণের জন্য পরিশোধের পদ্ধতি বাধ্যতামূলক,
|
||||
Repayment Start Date is mandatory for term loans,মেয়াদী loansণের জন্য পরিশোধ পরিশোধের তারিখ বাধ্যতামূলক,
|
||||
Report Item,আইটেম প্রতিবেদন করুন,
|
||||
@ -4043,7 +4037,6 @@ Search results for,এর জন্য অনুসন্ধানের ফল
|
||||
Select All,সবগুলো নির্বাচন করা,
|
||||
Select Difference Account,ডিফারেন্স অ্যাকাউন্ট নির্বাচন করুন,
|
||||
Select a Default Priority.,একটি ডিফল্ট অগ্রাধিকার নির্বাচন করুন।,
|
||||
Select a Supplier from the Default Supplier List of the items below.,নীচের আইটেমগুলির ডিফল্ট সরবরাহকারী তালিকা থেকে একটি সরবরাহকারী নির্বাচন করুন।,
|
||||
Select a company,একটি সংস্থা নির্বাচন করুন,
|
||||
Select finance book for the item {0} at row {1},সারি for 1} আইটেমের জন্য book 0 finance জন্য অর্থ বই নির্বাচন করুন,
|
||||
Select only one Priority as Default.,ডিফল্ট হিসাবে কেবলমাত্র একটি অগ্রাধিকার নির্বাচন করুন।,
|
||||
@ -4247,7 +4240,6 @@ Yes,হাঁ,
|
||||
Actual ,আসল,
|
||||
Add to cart,কার্ট যোগ করুন,
|
||||
Budget,বাজেট,
|
||||
Chart Of Accounts Importer,অ্যাকাউন্ট আমদানিকারক চার্ট,
|
||||
Chart of Accounts,হিসাবরক্ষনের তালিকা,
|
||||
Customer database.,গ্রাহক ডাটাবেস।,
|
||||
Days Since Last order,শেষ আদেশের দিনগুলি,
|
||||
@ -4546,7 +4538,6 @@ Role that is allowed to submit transactions that exceed credit limits set.,স
|
||||
Check Supplier Invoice Number Uniqueness,চেক সরবরাহকারী চালান নম্বর স্বতন্ত্রতা,
|
||||
Make Payment via Journal Entry,জার্নাল এন্ট্রি মাধ্যমে টাকা প্রাপ্তির,
|
||||
Unlink Payment on Cancellation of Invoice,চালান বাতিলের পেমেন্ট লিঙ্কমুক্ত,
|
||||
Unlink Advance Payment on Cancelation of Order,অর্ডার বাতিলকরণে অগ্রিম প্রদানের লিঙ্কমুক্ত করুন,
|
||||
Book Asset Depreciation Entry Automatically,বইয়ের অ্যাসেট অবচয় এণ্ট্রি স্বয়ংক্রিয়ভাবে,
|
||||
Automatically Add Taxes and Charges from Item Tax Template,আইটেম ট্যাক্স টেম্পলেট থেকে স্বয়ংক্রিয়ভাবে কর এবং চার্জ যুক্ত করুন,
|
||||
Automatically Fetch Payment Terms,স্বয়ংক্রিয়ভাবে প্রদানের শর্তাদি আনুন,
|
||||
@ -4940,7 +4931,6 @@ Closing Account Head,অ্যাকাউন্ট হেড সমাপ্ত
|
||||
POS Customer Group,পিওএস গ্রাহক গ্রুপ,
|
||||
POS Field,পস ফিল্ড,
|
||||
POS Item Group,পিওএস আইটেম গ্রুপ,
|
||||
[Select],[নির্বাচন],
|
||||
Company Address,প্রতিস্থান এর ঠিকানা,
|
||||
Update Stock,আপডেট শেয়ার,
|
||||
Ignore Pricing Rule,প্রাইসিং বিধি উপেক্ষা,
|
||||
@ -6481,7 +6471,6 @@ HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM।,
|
||||
Appraisal Template,মূল্যায়ন টেমপ্লেট,
|
||||
For Employee Name,কর্মচারীর নাম জন্য,
|
||||
Goals,গোল,
|
||||
Calculate Total Score,মোট স্কোর গণনা করা,
|
||||
Total Score (Out of 5),(5 এর মধ্যে) মোট স্কোর,
|
||||
"Any other remarks, noteworthy effort that should go in the records.","অন্য কোন মন্তব্য, রেকর্ড মধ্যে যেতে হবে যে উল্লেখযোগ্য প্রচেষ্টা.",
|
||||
Appraisal Goal,মূল্যায়ন গোল,
|
||||
@ -6599,11 +6588,6 @@ Relieving Date,মুক্তিদান তারিখ,
|
||||
Reason for Leaving,ত্যাগ করার জন্য কারণ,
|
||||
Leave Encashed?,Encashed ত্যাগ করবেন?,
|
||||
Encashment Date,নগদীকরণ তারিখ,
|
||||
Exit Interview Details,প্রস্থান ইন্টারভিউ এর বর্ণনা,
|
||||
Held On,অনুষ্ঠিত,
|
||||
Reason for Resignation,পদত্যাগ করার কারণ,
|
||||
Better Prospects,ভাল সম্ভাবনা,
|
||||
Health Concerns,স্বাস্থ সচেতন,
|
||||
New Workplace,নতুন কর্মক্ষেত্রে,
|
||||
HR-EAD-.YYYY.-,এইচআর-EAD-.YYYY.-,
|
||||
Returned Amount,ফেরত পরিমাণ,
|
||||
@ -8239,9 +8223,6 @@ Landed Cost Help,ল্যান্ড খরচ সাহায্য,
|
||||
Manufacturers used in Items,চলছে ব্যবহৃত উৎপাদনকারী,
|
||||
Limited to 12 characters,12 অক্ষরের মধ্যে সীমাবদ্ধ,
|
||||
MAT-MR-.YYYY.-,Mat-এম আর-.YYYY.-,
|
||||
Set Warehouse,গুদাম সেট করুন,
|
||||
Sets 'For Warehouse' in each row of the Items table.,আইটেম টেবিলের প্রতিটি সারিতে 'গুদামের জন্য' সেট করুন।,
|
||||
Requested For,জন্য অনুরোধ করা,
|
||||
Partially Ordered,আংশিক অর্ডার করা,
|
||||
Transferred,স্থানান্তরিত,
|
||||
% Ordered,% আদেশ,
|
||||
@ -8690,8 +8671,6 @@ Material Request Warehouse,উপাদান অনুরোধ গুদাম
|
||||
Select warehouse for material requests,উপাদান অনুরোধের জন্য গুদাম নির্বাচন করুন,
|
||||
Transfer Materials For Warehouse {0},গুদাম {0 For জন্য উপাদান স্থানান্তর,
|
||||
Production Plan Material Request Warehouse,উত্পাদন পরিকল্পনার সামগ্রী অনুরোধ গুদাম,
|
||||
Set From Warehouse,গুদাম থেকে সেট করুন,
|
||||
Source Warehouse (Material Transfer),উত্স গুদাম (উপাদান স্থানান্তর),
|
||||
Sets 'Source Warehouse' in each row of the items table.,আইটেম টেবিলের প্রতিটি সারিতে 'উত্স গুদাম' সেট করুন।,
|
||||
Sets 'Target Warehouse' in each row of the items table.,আইটেম সারণির প্রতিটি সারিতে 'টার্গেট ওয়েয়ারহাউস' সেট করুন।,
|
||||
Show Cancelled Entries,বাতিল এন্ট্রিগুলি দেখান,
|
||||
@ -9157,7 +9136,6 @@ Professional Tax,পেশাদার কর,
|
||||
Is Income Tax Component,আয়কর অংশ,
|
||||
Component properties and references ,উপাদান বৈশিষ্ট্য এবং রেফারেন্স,
|
||||
Additional Salary ,অতিরিক্ত বেতন,
|
||||
Condtion and formula,শর্ত এবং সূত্র,
|
||||
Unmarked days,চিহ্নহীন দিনগুলি,
|
||||
Absent Days,অনুপস্থিত দিন,
|
||||
Conditions and Formula variable and example,শর্ত এবং সূত্র পরিবর্তনশীল এবং উদাহরণ,
|
||||
@ -9444,7 +9422,6 @@ Plaid invalid request error,প্লিড অবৈধ অনুরোধ ত
|
||||
Please check your Plaid client ID and secret values,আপনার প্লাইড ক্লায়েন্ট আইডি এবং গোপন মান পরীক্ষা করুন,
|
||||
Bank transaction creation error,ব্যাংক লেনদেন তৈরির ত্রুটি,
|
||||
Unit of Measurement,পরিমাপের ইউনিট,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},সারি # {}: আইটেম for for এর বিক্রয়ের হার তার {} এর চেয়ে কম} বিক্রয় হার কমপক্ষে হওয়া উচিত {},
|
||||
Fiscal Year {0} Does Not Exist,আর্থিক বছর {0} বিদ্যমান নেই,
|
||||
Row # {0}: Returned Item {1} does not exist in {2} {3},সারি # {0}: ফিরে আসা আইটেম {1 {{2} {3 in তে বিদ্যমান নেই,
|
||||
Valuation type charges can not be marked as Inclusive,মূল্য মূল্য ধরণের চার্জগুলি সমেত হিসাবে চিহ্নিত করা যায় না,
|
||||
@ -9598,8 +9575,60 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,অগ্র
|
||||
Response Time for {0} priority in row {1} can't be greater than Resolution Time.,সারিতে} 1} অগ্রাধিকারের জন্য প্রতিক্রিয়া সময়টি olution 1} রেজোলিউশন সময়ের চেয়ে বেশি হতে পারে না।,
|
||||
{0} is not enabled in {1},{0} {1} এ সক্ষম নয়,
|
||||
Group by Material Request,উপাদান অনুরোধ দ্বারা গ্রুপ,
|
||||
"Row {0}: For Supplier {0}, Email Address is Required to Send Email",সারি {0}: সরবরাহকারী {0} এর জন্য ইমেল প্রেরণের জন্য ইমেল ঠিকানা প্রয়োজন,
|
||||
Email Sent to Supplier {0},সরবরাহকারীকে ইমেল প্রেরণ করা হয়েছে {0},
|
||||
"The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","পোর্টাল থেকে উদ্ধৃতি জন্য অনুরোধ অ্যাক্সেস অক্ষম করা হয়েছে। অ্যাক্সেসের অনুমতি দেওয়ার জন্য, এটি পোর্টাল সেটিংসে সক্ষম করুন।",
|
||||
Supplier Quotation {0} Created,সরবরাহকারী কোটেশন {0} তৈরি হয়েছে,
|
||||
Valid till Date cannot be before Transaction Date,তারিখ অবধি বৈধ লেনদেনের তারিখের আগে হতে পারে না,
|
||||
Unlink Advance Payment on Cancellation of Order,অর্ডার বাতিলকরণে অগ্রিম প্রদানের লিঙ্কমুক্ত করুন,
|
||||
"Simple Python Expression, Example: territory != 'All Territories'","সাধারণ পাইথন এক্সপ্রেশন, উদাহরণ: অঞ্চল! = 'সমস্ত অঞ্চল'",
|
||||
Sales Contributions and Incentives,বিক্রয় অবদান এবং উত্সাহ,
|
||||
Sourced by Supplier,সরবরাহকারী দ্বারা উত্সাহিত,
|
||||
Total weightage assigned should be 100%.<br>It is {0},বরাদ্দকৃত মোট ওজন 100% হওয়া উচিত।<br> এটি {0},
|
||||
Account {0} exists in parent company {1}.,অ্যাকাউন্ট {0 parent মূল কোম্পানিতে} 1} বিদ্যমান},
|
||||
"To overrule this, enable '{0}' in company {1}","এটি উপেক্ষা করার জন্য, কোম্পানির '1}' {0} 'সক্ষম করুন",
|
||||
Invalid condition expression,অবৈধ শর্তের অভিব্যক্তি,
|
||||
Please Select a Company First,দয়া করে প্রথমে একটি সংস্থা নির্বাচন করুন,
|
||||
Please Select Both Company and Party Type First,দয়া করে প্রথম সংস্থা এবং পার্টি উভয়ই নির্বাচন করুন,
|
||||
Provide the invoice portion in percent,চালানের অংশ শতাংশে সরবরাহ করুন,
|
||||
Give number of days according to prior selection,পূর্ববর্তী নির্বাচন অনুযায়ী দিন সংখ্যা দিন,
|
||||
Email Details,ইমেল বিশদ,
|
||||
"Select a greeting for the receiver. E.g. Mr., Ms., etc.","গ্রহীতার জন্য একটি শুভেচ্ছা নির্বাচন করুন। যেমন মিঃ, মিসেস, ইত্যাদি",
|
||||
Preview Email,পূর্বরূপ ইমেল,
|
||||
Please select a Supplier,একটি সরবরাহকারী নির্বাচন করুন,
|
||||
Supplier Lead Time (days),সরবরাহকারী সীসা সময় (দিন),
|
||||
"Home, Work, etc.","বাড়ি, কাজ ইত্যাদি",
|
||||
Exit Interview Held On,সাক্ষাত্কারটি প্রস্থান করুন,
|
||||
Condition and formula,শর্ত এবং সূত্র,
|
||||
Sets 'Target Warehouse' in each row of the Items table.,আইটেম টেবিলের প্রতিটি সারিতে 'টার্গেট ওয়েয়ারহাউস' সেট করুন।,
|
||||
Sets 'Source Warehouse' in each row of the Items table.,আইটেম টেবিলের প্রতিটি সারিতে 'উত্স গুদাম' সেট করুন।,
|
||||
POS Register,পস রেজিস্টার,
|
||||
"Can not filter based on POS Profile, if grouped by POS Profile","POS প্রোফাইলের ভিত্তিতে ফিল্টার করা যায় না, যদি পস প্রোফাইল দ্বারা গোষ্ঠীভূত হয়",
|
||||
"Can not filter based on Customer, if grouped by Customer",গ্রাহক দ্বারা গ্রুপ করা থাকলে গ্রাহকের উপর ভিত্তি করে ফিল্টার করতে পারবেন না,
|
||||
"Can not filter based on Cashier, if grouped by Cashier","ক্যাশিয়ারের ভিত্তিতে, ক্যাশিয়ারের ভিত্তিতে ফিল্টার করা যায় না",
|
||||
Payment Method,মূল্যপরিশোধ পদ্ধতি,
|
||||
"Can not filter based on Payment Method, if grouped by Payment Method",অর্থ প্রদানের পদ্ধতি অনুসারে অর্থ প্রদানের পদ্ধতির ভিত্তিতে ফিল্টার করতে পারবেন না,
|
||||
Supplier Quotation Comparison,সরবরাহকারী কোটেশন তুলনা,
|
||||
Price per Unit (Stock UOM),ইউনিট প্রতি মূল্য (স্টক ইউওএম),
|
||||
Group by Supplier,সরবরাহকারী দ্বারা গ্রুপ,
|
||||
Group by Item,আইটেম দ্বারা গ্রুপ,
|
||||
Remember to set {field_label}. It is required by {regulation}.,{ক্ষেত্র_লাবেল set সেট করতে মনে রাখবেন} এটি {নিয়ন্ত্রণ by দ্বারা প্রয়োজনীয়},
|
||||
Enrollment Date cannot be before the Start Date of the Academic Year {0},তালিকাভুক্তির তারিখ একাডেমিক বছরের শুরুর তারিখের আগে হতে পারে না {0},
|
||||
Enrollment Date cannot be after the End Date of the Academic Term {0},তালিকাভুক্তির তারিখ একাডেমিক মেয়াদ শেষের তারিখের পরে হতে পারে না {0},
|
||||
Enrollment Date cannot be before the Start Date of the Academic Term {0},তালিকাভুক্তির তারিখ একাডেমিক টার্মের শুরুর তারিখের আগে হতে পারে না {0},
|
||||
Posting future transactions are not allowed due to Immutable Ledger,অপরিবর্তনীয় লেজারের কারণে ভবিষ্যতে লেনদেনগুলি অনুমোদিত নয়,
|
||||
Future Posting Not Allowed,ভবিষ্যতের পোস্টিং অনুমোদিত নয়,
|
||||
"To enable Capital Work in Progress Accounting, ","অগ্রগতি অ্যাকাউন্টিংয়ে মূলধন কাজ সক্ষম করতে,",
|
||||
you must select Capital Work in Progress Account in accounts table,আপনার অবশ্যই অ্যাকাউন্টের সারণীতে প্রগতি অ্যাকাউন্টে মূলধন কাজ নির্বাচন করতে হবে,
|
||||
You can also set default CWIP account in Company {},আপনি সংস্থা default default এ ডিফল্ট সিডব্লিউআইপি অ্যাকাউন্টও সেট করতে পারেন,
|
||||
The Request for Quotation can be accessed by clicking on the following button,অনুরোধের জন্য নিচের বোতামটি ক্লিক করে প্রবেশ করা যাবে,
|
||||
Regards,শ্রদ্ধা,
|
||||
Please click on the following button to set your new password,আপনার নতুন পাসওয়ার্ড সেট করতে দয়া করে নীচের বোতামটিতে ক্লিক করুন,
|
||||
Update Password,পাসওয়ার্ড আপডেট করুন,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},সারি # {}: আইটেম for for এর বিক্রয়ের হার তার {{এর চেয়ে কম} {Lling বিক্রয় কমপক্ষে হওয়া উচিত {},
|
||||
You can alternatively disable selling price validation in {} to bypass this validation.,আপনি এই বৈধতাটিকে বাইপাস করতে বিকল্প মূল্য valid in এ বিক্রয় বৈধতা অক্ষম করতে পারেন।,
|
||||
Invalid Selling Price,অবৈধ বিক্রয় মূল্য,
|
||||
Address needs to be linked to a Company. Please add a row for Company in the Links table.,ঠিকানা কোনও সংস্থার সাথে সংযুক্ত করা দরকার। লিংক সারণীতে সংস্থার জন্য একটি সারি যুক্ত করুন।,
|
||||
Company Not Linked,সংযুক্ত নয় সংস্থা,
|
||||
Import Chart of Accounts from CSV / Excel files,সিএসভি / এক্সেল ফাইলগুলি থেকে অ্যাকাউন্টগুলির চার্ট আমদানি করুন,
|
||||
Completed Qty cannot be greater than 'Qty to Manufacture',সম্পূর্ণ পরিমাণটি 'কোটির থেকে উত্পাদন' এর চেয়ে বড় হতে পারে না,
|
||||
"Row {0}: For Supplier {1}, Email Address is Required to send an email",সারি {0}: সরবরাহকারী {1} এর জন্য ইমেল প্রেরণের জন্য ইমেল ঠিকানা প্রয়োজন,
|
||||
|
Can't render this file because it is too large.
|
@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Punjenje tipa
|
||||
Chargeble,Chargeble,
|
||||
Charges are updated in Purchase Receipt against each item,Naknade se ažuriraju u Kupovina Prijem protiv svaku stavku,
|
||||
"Charges will be distributed proportionately based on item qty or amount, as per your selection","Naknade će se distribuirati proporcionalno na osnovu stavka količina ili iznos, po svom izboru",
|
||||
Chart Of Accounts,Šifarnik konta,
|
||||
Chart of Cost Centers,Grafikon troškovnih centara,
|
||||
Check all,Provjerite sve,
|
||||
Checkout,Provjeri,
|
||||
@ -581,7 +580,6 @@ Company {0} does not exist,Kompanija {0} ne postoji,
|
||||
Compensatory Off,kompenzacijski Off,
|
||||
Compensatory leave request days not in valid holidays,Dane zahtjeva za kompenzacijski odmor ne važe u valjanim praznicima,
|
||||
Complaint,Žalba,
|
||||
Completed Qty can not be greater than 'Qty to Manufacture',Završene Qty ne može biti veća od 'Količina za proizvodnju',
|
||||
Completion Date,Završetak Datum,
|
||||
Computer,Računar,
|
||||
Condition,Stanje,
|
||||
@ -2033,7 +2031,6 @@ Please select Category first,Molimo odaberite kategoriju prvi,
|
||||
Please select Charge Type first,Odaberite Naknada za prvi,
|
||||
Please select Company,Molimo odaberite Company,
|
||||
Please select Company and Designation,Izaberite kompaniju i oznaku,
|
||||
Please select Company and Party Type first,Molimo najprije odaberite Društva i Party Tip,
|
||||
Please select Company and Posting Date to getting entries,Molimo da odaberete Kompaniju i Datum objavljivanja da biste dobili unose,
|
||||
Please select Company first,Molimo najprije odaberite Company,
|
||||
Please select Completion Date for Completed Asset Maintenance Log,Molimo izaberite Datum završetka za popunjeni dnevnik održavanja sredstava,
|
||||
@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,U ime Instit
|
||||
The name of your company for which you are setting up this system.,Ime vaše tvrtke za koje ste postavljanje ovog sustava .,
|
||||
The number of shares and the share numbers are inconsistent,Broj akcija i brojevi učešća su nedosljedni,
|
||||
The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Račun plaćačkog plaćanja u planu {0} razlikuje se od naloga za plaćanje u ovom zahtjevu za plaćanje,
|
||||
The request for quotation can be accessed by clicking on the following link,Zahtjev za ponudu se može pristupiti klikom na sljedeći link,
|
||||
The selected BOMs are not for the same item,Izabrani sastavnica nisu za isti predmet,
|
||||
The selected item cannot have Batch,Izabrana stavka ne može imati Batch,
|
||||
The seller and the buyer cannot be the same,Prodavac i kupac ne mogu biti isti,
|
||||
@ -3130,7 +3126,6 @@ Total contribution percentage should be equal to 100,Ukupni procenat doprinosa t
|
||||
Total flexible benefit component amount {0} should not be less than max benefits {1},Ukupni iznos komponente fleksibilne naknade {0} ne smije biti manji od maksimuma {1},
|
||||
Total hours: {0},Ukupan broj sati: {0},
|
||||
Total leaves allocated is mandatory for Leave Type {0},Ukupna izdvojena listića su obavezna za Tip Leave {0},
|
||||
Total weightage assigned should be 100%. It is {0},Ukupno bi trebalo biti dodijeljena weightage 100 % . To je {0},
|
||||
Total working hours should not be greater than max working hours {0},Ukupno radnog vremena ne smije biti veća od max radnog vremena {0},
|
||||
Total {0} ({1}),Ukupno {0} ({1}),
|
||||
"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Ukupno {0} za sve stavke je nula, možda biste trebali promijeniti 'Rasporedite Optužbe na osnovu'",
|
||||
@ -3544,7 +3539,6 @@ Company GSTIN,Kompanija GSTIN,
|
||||
Company field is required,Polje kompanije je obavezno,
|
||||
Creating Dimensions...,Stvaranje dimenzija ...,
|
||||
Duplicate entry against the item code {0} and manufacturer {1},Duplikat unosa sa šifrom artikla {0} i proizvođačem {1},
|
||||
Import Chart Of Accounts from CSV / Excel files,Uvoz računa sa CSV / Excel datoteka,
|
||||
Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Nevažeći GSTIN! Uneseni unos ne odgovara formatu GSTIN za vlasnike UIN-a ili nerezidentne dobavljače usluga OIDAR,
|
||||
Invoice Grand Total,Faktura Grand Total,
|
||||
Last carbon check date cannot be a future date,Posljednji datum provjere ugljika ne može biti budući datum,
|
||||
@ -3921,7 +3915,6 @@ Plaid authentication error,Greška provjere autentičnosti,
|
||||
Plaid public token error,Greška u javnom tokenu,
|
||||
Plaid transactions sync error,Greška sinhronizacije transakcija u plaidu,
|
||||
Please check the error log for details about the import errors,Molimo provjerite dnevnik grešaka za detalje o uvoznim greškama,
|
||||
Please click on the following link to set your new password,Molimo kliknite na sljedeći link i postaviti novu lozinku,
|
||||
Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Molimo kreirajte <b>DATEV postavke</b> za kompaniju <b>{}</b> .,
|
||||
Please create adjustment Journal Entry for amount {0} ,Molimo izradite podešavanje unosa u časopisu za iznos {0},
|
||||
Please do not create more than 500 items at a time,Molimo ne stvarajte više od 500 predmeta odjednom,
|
||||
@ -3997,6 +3990,7 @@ Refreshing,Osvežavajuće,
|
||||
Release date must be in the future,Datum izlaska mora biti u budućnosti,
|
||||
Relieving Date must be greater than or equal to Date of Joining,Datum oslobađanja mora biti veći ili jednak datumu pridruživanja,
|
||||
Rename,preimenovati,
|
||||
Rename Not Allowed,Preimenovanje nije dozvoljeno,
|
||||
Repayment Method is mandatory for term loans,Način otplate je obavezan za oročene kredite,
|
||||
Repayment Start Date is mandatory for term loans,Datum početka otplate je obavezan za oročene kredite,
|
||||
Report Item,Izvještaj,
|
||||
@ -4043,7 +4037,6 @@ Search results for,Rezultati pretrage za,
|
||||
Select All,Odaberite sve,
|
||||
Select Difference Account,Odaberite račun razlike,
|
||||
Select a Default Priority.,Odaberite zadani prioritet.,
|
||||
Select a Supplier from the Default Supplier List of the items below.,Izaberite dobavljača sa zadanog popisa dobavljača donjih stavki.,
|
||||
Select a company,Odaberite kompaniju,
|
||||
Select finance book for the item {0} at row {1},Odaberite knjigu finansiranja za stavku {0} u retku {1},
|
||||
Select only one Priority as Default.,Odaberite samo jedan prioritet kao podrazumevani.,
|
||||
@ -4247,7 +4240,6 @@ Yes,Da,
|
||||
Actual ,Stvaran,
|
||||
Add to cart,Dodaj u košaricu,
|
||||
Budget,Budžet,
|
||||
Chart Of Accounts Importer,Uvoznik kontnog plana,
|
||||
Chart of Accounts,Chart of Accounts,
|
||||
Customer database.,Baza podataka klijenata.,
|
||||
Days Since Last order,Dana od posljednje narudžbe,
|
||||
@ -4546,7 +4538,6 @@ Role that is allowed to submit transactions that exceed credit limits set.,Uloga
|
||||
Check Supplier Invoice Number Uniqueness,Check Dobavljač Faktura Broj Jedinstvenost,
|
||||
Make Payment via Journal Entry,Izvršiti uplatu preko Journal Entry,
|
||||
Unlink Payment on Cancellation of Invoice,Odvajanje Plaćanje o otkazivanju fakture,
|
||||
Unlink Advance Payment on Cancelation of Order,Prekidajte avansno plaćanje otkaza narudžbe,
|
||||
Book Asset Depreciation Entry Automatically,Knjiga imovine Amortizacija Entry Automatski,
|
||||
Automatically Add Taxes and Charges from Item Tax Template,Automatski dodajte poreze i pristojbe sa predloška poreza na stavke,
|
||||
Automatically Fetch Payment Terms,Automatski preuzmi Uvjete plaćanja,
|
||||
@ -4940,7 +4931,6 @@ Closing Account Head,Zatvaranje računa šefa,
|
||||
POS Customer Group,POS kupaca Grupa,
|
||||
POS Field,POS polje,
|
||||
POS Item Group,POS Stavka Group,
|
||||
[Select],[ izaberite ],
|
||||
Company Address,Company Adresa,
|
||||
Update Stock,Ažurirajte Stock,
|
||||
Ignore Pricing Rule,Ignorirajte Cijene pravilo,
|
||||
@ -6481,7 +6471,6 @@ HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM.,
|
||||
Appraisal Template,Procjena Predložak,
|
||||
For Employee Name,Za ime zaposlenika,
|
||||
Goals,Golovi,
|
||||
Calculate Total Score,Izračunaj ukupan rezultat,
|
||||
Total Score (Out of 5),Ukupna ocjena (od 5),
|
||||
"Any other remarks, noteworthy effort that should go in the records.","Bilo koji drugi primjedbe, napomenuti napor koji treba da ide u evidenciji.",
|
||||
Appraisal Goal,Procjena gol,
|
||||
@ -6599,11 +6588,6 @@ Relieving Date,Rasterećenje Datum,
|
||||
Reason for Leaving,Razlog za odlazak,
|
||||
Leave Encashed?,Ostavite Encashed?,
|
||||
Encashment Date,Encashment Datum,
|
||||
Exit Interview Details,Izlaz Intervju Detalji,
|
||||
Held On,Održanoj,
|
||||
Reason for Resignation,Razlog za ostavku,
|
||||
Better Prospects,Bolji izgledi,
|
||||
Health Concerns,Zdravlje Zabrinutost,
|
||||
New Workplace,Novi radnom mjestu,
|
||||
HR-EAD-.YYYY.-,HR-EAD-YYYY.-,
|
||||
Returned Amount,Iznos vraćenog iznosa,
|
||||
@ -8239,9 +8223,6 @@ Landed Cost Help,Sleteo Cost Pomoć,
|
||||
Manufacturers used in Items,Proizvođači se koriste u Predmeti,
|
||||
Limited to 12 characters,Ograničena na 12 znakova,
|
||||
MAT-MR-.YYYY.-,MAT-MR-.YYYY.-,
|
||||
Set Warehouse,Postavi skladište,
|
||||
Sets 'For Warehouse' in each row of the Items table.,Postavlja 'Za skladište' u svaki red tabele Predmeti.,
|
||||
Requested For,Traženi Za,
|
||||
Partially Ordered,Djelomično naređeno,
|
||||
Transferred,prebačen,
|
||||
% Ordered,% Poruceno,
|
||||
@ -8690,8 +8671,6 @@ Material Request Warehouse,Skladište zahtjeva za materijalom,
|
||||
Select warehouse for material requests,Odaberite skladište za zahtjeve za materijalom,
|
||||
Transfer Materials For Warehouse {0},Transfer materijala za skladište {0},
|
||||
Production Plan Material Request Warehouse,Skladište zahtjeva za planom proizvodnje,
|
||||
Set From Warehouse,Postavljeno iz skladišta,
|
||||
Source Warehouse (Material Transfer),Izvorno skladište (prijenos materijala),
|
||||
Sets 'Source Warehouse' in each row of the items table.,Postavlja 'Izvorno skladište' u svaki red tablice stavki.,
|
||||
Sets 'Target Warehouse' in each row of the items table.,Postavlja 'Target Warehouse' u svaki red tablice stavki.,
|
||||
Show Cancelled Entries,Prikaži otkazane unose,
|
||||
@ -9157,7 +9136,6 @@ Professional Tax,Porez na profesionalce,
|
||||
Is Income Tax Component,Je komponenta poreza na dohodak,
|
||||
Component properties and references ,Svojstva i reference komponenata,
|
||||
Additional Salary ,Dodatna plata,
|
||||
Condtion and formula,Stanje i formula,
|
||||
Unmarked days,Neoznačeni dani,
|
||||
Absent Days,Dani odsutnosti,
|
||||
Conditions and Formula variable and example,Uvjeti i varijabla formule i primjer,
|
||||
@ -9444,7 +9422,6 @@ Plaid invalid request error,Pogreška nevažećeg zahtjeva karira,
|
||||
Please check your Plaid client ID and secret values,Molimo provjerite svoj ID klijenta i tajne vrijednosti,
|
||||
Bank transaction creation error,Greška u kreiranju bankovne transakcije,
|
||||
Unit of Measurement,Mjerna jedinica,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Red # {}: Stopa prodaje predmeta {} niža je od njegove {}. Stopa prodaje treba biti najmanje {},
|
||||
Fiscal Year {0} Does Not Exist,Fiskalna godina {0} ne postoji,
|
||||
Row # {0}: Returned Item {1} does not exist in {2} {3},Redak {0}: Vraćena stavka {1} ne postoji u {2} {3},
|
||||
Valuation type charges can not be marked as Inclusive,Naknade za vrstu vrednovanja ne mogu se označiti kao sveobuhvatne,
|
||||
@ -9598,8 +9575,60 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Postavite vri
|
||||
Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Vrijeme odziva za {0} prioritet u redu {1} ne može biti veće od vremena razlučivanja.,
|
||||
{0} is not enabled in {1},{0} nije omogućen u {1},
|
||||
Group by Material Request,Grupiraj prema zahtjevu za materijal,
|
||||
"Row {0}: For Supplier {0}, Email Address is Required to Send Email",Red {0}: Za dobavljača {0} za slanje e-pošte potrebna je adresa e-pošte,
|
||||
Email Sent to Supplier {0},E-pošta poslana dobavljaču {0},
|
||||
"The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","Pristup zahtjevu za ponudu sa portala je onemogućen. Da biste omogućili pristup, omogućite ga u postavkama portala.",
|
||||
Supplier Quotation {0} Created,Ponuda dobavljača {0} kreirana,
|
||||
Valid till Date cannot be before Transaction Date,Važi do datuma ne može biti prije datuma transakcije,
|
||||
Unlink Advance Payment on Cancellation of Order,Prekinite vezu s avansnim plaćanjem nakon otkazivanja narudžbe,
|
||||
"Simple Python Expression, Example: territory != 'All Territories'","Jednostavan Python izraz, primjer: teritorij! = 'Sve teritorije'",
|
||||
Sales Contributions and Incentives,Doprinosi prodaji i podsticaji,
|
||||
Sourced by Supplier,Izvor dobavljača,
|
||||
Total weightage assigned should be 100%.<br>It is {0},Ukupna dodijeljena težina treba biti 100%.<br> {0} je,
|
||||
Account {0} exists in parent company {1}.,Račun {0} postoji u matičnoj kompaniji {1}.,
|
||||
"To overrule this, enable '{0}' in company {1}","Da biste ovo prevladali, omogućite '{0}' u kompaniji {1}",
|
||||
Invalid condition expression,Nevažeći izraz stanja,
|
||||
Please Select a Company First,Prvo odaberite kompaniju,
|
||||
Please Select Both Company and Party Type First,Molimo odaberite prvo vrstu kompanije i stranke,
|
||||
Provide the invoice portion in percent,Navedite dio fakture u procentima,
|
||||
Give number of days according to prior selection,Navedite broj dana prema prethodnom odabiru,
|
||||
Email Details,Detalji e-pošte,
|
||||
"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Odaberite pozdrav za prijemnik. Npr. Gospodin, gospođa itd.",
|
||||
Preview Email,Pregled e-pošte,
|
||||
Please select a Supplier,Molimo odaberite dobavljača,
|
||||
Supplier Lead Time (days),Vrijeme isporuke dobavljača (dana),
|
||||
"Home, Work, etc.","Kuća, posao itd.",
|
||||
Exit Interview Held On,Izlazni intervju održan,
|
||||
Condition and formula,Stanje i formula,
|
||||
Sets 'Target Warehouse' in each row of the Items table.,Postavlja 'Ciljno skladište' u svaki red tabele Predmeti.,
|
||||
Sets 'Source Warehouse' in each row of the Items table.,Postavlja 'Izvorno skladište' u svaki red tabele Predmeti.,
|
||||
POS Register,POS registar,
|
||||
"Can not filter based on POS Profile, if grouped by POS Profile","Ne može se filtrirati na osnovu POS profila, ako je grupirano po POS profilu",
|
||||
"Can not filter based on Customer, if grouped by Customer","Ne može se filtrirati prema kupcu, ako ga grupiše kupac",
|
||||
"Can not filter based on Cashier, if grouped by Cashier","Ne može se filtrirati na osnovu blagajne, ako je grupirana po blagajni",
|
||||
Payment Method,Način plaćanja,
|
||||
"Can not filter based on Payment Method, if grouped by Payment Method","Ne može se filtrirati na osnovu načina plaćanja, ako je grupirano prema načinu plaćanja",
|
||||
Supplier Quotation Comparison,Usporedba ponuda dobavljača,
|
||||
Price per Unit (Stock UOM),Cijena po jedinici (zaliha UOM),
|
||||
Group by Supplier,Grupa prema dobavljaču,
|
||||
Group by Item,Grupiraj po stavkama,
|
||||
Remember to set {field_label}. It is required by {regulation}.,Ne zaboravite postaviti {field_label}. To zahtijeva {propis}.,
|
||||
Enrollment Date cannot be before the Start Date of the Academic Year {0},Datum upisa ne može biti pre datuma početka akademske godine {0},
|
||||
Enrollment Date cannot be after the End Date of the Academic Term {0},Datum upisa ne može biti nakon datuma završetka akademskog roka {0},
|
||||
Enrollment Date cannot be before the Start Date of the Academic Term {0},Datum upisa ne može biti pre datuma početka akademskog roka {0},
|
||||
Posting future transactions are not allowed due to Immutable Ledger,Knjiženje budućih transakcija nije dozvoljeno zbog Nepromjenjive knjige,
|
||||
Future Posting Not Allowed,Objavljivanje u budućnosti nije dozvoljeno,
|
||||
"To enable Capital Work in Progress Accounting, ","Da bi se omogućilo računovodstvo kapitalnog rada u toku,",
|
||||
you must select Capital Work in Progress Account in accounts table,u tablici računa morate odabrati Račun kapitalnog rada u toku,
|
||||
You can also set default CWIP account in Company {},Također možete postaviti zadani CWIP račun u kompaniji {},
|
||||
The Request for Quotation can be accessed by clicking on the following button,Zahtjevu za ponudu možete pristupiti klikom na sljedeće dugme,
|
||||
Regards,Pozdrav,
|
||||
Please click on the following button to set your new password,Kliknite na sljedeći gumb da biste postavili novu lozinku,
|
||||
Update Password,Ažuriraj lozinku,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Red # {}: Stopa prodaje predmeta {} niža je od njegove {}. Prodaja {} treba biti najmanje {},
|
||||
You can alternatively disable selling price validation in {} to bypass this validation.,Alternativno možete onemogućiti provjeru prodajne cijene u {} da biste zaobišli ovu provjeru.,
|
||||
Invalid Selling Price,Nevažeća prodajna cijena,
|
||||
Address needs to be linked to a Company. Please add a row for Company in the Links table.,Adresa mora biti povezana sa kompanijom. Dodajte red za kompaniju u tabelu veza.,
|
||||
Company Not Linked,Kompanija nije povezana,
|
||||
Import Chart of Accounts from CSV / Excel files,Uvezite kontni plan iz CSV / Excel datoteka,
|
||||
Completed Qty cannot be greater than 'Qty to Manufacture',Završena količina ne može biti veća od 'Količina za proizvodnju',
|
||||
"Row {0}: For Supplier {1}, Email Address is Required to send an email",Red {0}: Za dobavljača {1} za slanje e-pošte potrebna je adresa e-pošte,
|
||||
|
Can't render this file because it is too large.
|
@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Càrrec del t
|
||||
Chargeble,Càrrec,
|
||||
Charges are updated in Purchase Receipt against each item,Els càrrecs s'actualitzen amb els rebuts de compra contra cada un dels articles,
|
||||
"Charges will be distributed proportionately based on item qty or amount, as per your selection","Els càrrecs es distribuiran proporcionalment basen en Quantitat o import de l'article, segons la teva selecció",
|
||||
Chart Of Accounts,Pla General de Comptabilitat,
|
||||
Chart of Cost Centers,Gràfic de centres de cost,
|
||||
Check all,Marqueu totes les,
|
||||
Checkout,caixa,
|
||||
@ -581,7 +580,6 @@ Company {0} does not exist,Companyia {0} no existeix,
|
||||
Compensatory Off,Compensatori,
|
||||
Compensatory leave request days not in valid holidays,Dates de sol · licitud de baixa compensatòria no en vacances vàlides,
|
||||
Complaint,Queixa,
|
||||
Completed Qty can not be greater than 'Qty to Manufacture',Completat Quantitat no pot ser major que 'Cant de Fabricació',
|
||||
Completion Date,Data d'acabament,
|
||||
Computer,Ordinador,
|
||||
Condition,Condició,
|
||||
@ -2033,7 +2031,6 @@ Please select Category first,"Si us plau, Selecciona primer la Categoria",
|
||||
Please select Charge Type first,Seleccioneu Tipus de Càrrec primer,
|
||||
Please select Company,Seleccioneu de l'empresa,
|
||||
Please select Company and Designation,Seleccioneu Companyia i Designació,
|
||||
Please select Company and Party Type first,Seleccioneu de l'empresa i el Partit Tipus primer,
|
||||
Please select Company and Posting Date to getting entries,Seleccioneu Companyia i Data de publicació per obtenir entrades,
|
||||
Please select Company first,Si us plau seleccioneu l'empresa primer,
|
||||
Please select Completion Date for Completed Asset Maintenance Log,Seleccioneu Data de finalització del registre de manteniment d'actius completat,
|
||||
@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,El nom de l&
|
||||
The name of your company for which you are setting up this system.,El nom de la teva empresa per a la qual està creant aquest sistema.,
|
||||
The number of shares and the share numbers are inconsistent,El nombre d'accions i els números d'accions són incompatibles,
|
||||
The payment gateway account in plan {0} is different from the payment gateway account in this payment request,El compte de la passarel·la de pagament del pla {0} és diferent del compte de la passarel·la de pagament en aquesta sol·licitud de pagament,
|
||||
The request for quotation can be accessed by clicking on the following link,La sol·licitud de cotització es pot accedir fent clic al següent enllaç,
|
||||
The selected BOMs are not for the same item,Les llistes de materials seleccionats no són per al mateix article,
|
||||
The selected item cannot have Batch,L'element seleccionat no pot tenir per lots,
|
||||
The seller and the buyer cannot be the same,El venedor i el comprador no poden ser iguals,
|
||||
@ -3130,7 +3126,6 @@ Total contribution percentage should be equal to 100,El percentatge total de con
|
||||
Total flexible benefit component amount {0} should not be less than max benefits {1},Import total del component de benefici flexible {0} no ha de ser inferior al màxim de beneficis {1},
|
||||
Total hours: {0},Total hores: {0},
|
||||
Total leaves allocated is mandatory for Leave Type {0},Les fulles totals assignades són obligatòries per al tipus Leave {0},
|
||||
Total weightage assigned should be 100%. It is {0},El pes total assignat ha de ser 100%. És {0},
|
||||
Total working hours should not be greater than max working hours {0},Total d'hores de treball no han de ser més grans que les hores de treball max {0},
|
||||
Total {0} ({1}),Total {0} ({1}),
|
||||
"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Total d'{0} per a tots els elements és zero, pot ser que vostè ha de canviar a "Distribuir els càrrecs basats en '",
|
||||
@ -3544,7 +3539,6 @@ Company GSTIN,companyia GSTIN,
|
||||
Company field is required,El camp de l'empresa és obligatori,
|
||||
Creating Dimensions...,Creació de dimensions ...,
|
||||
Duplicate entry against the item code {0} and manufacturer {1},Duplicar l'entrada amb el codi de l'article {0} i el fabricant {1},
|
||||
Import Chart Of Accounts from CSV / Excel files,Importa el gràfic de comptes de fitxers CSV / Excel,
|
||||
Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTIN no vàlid. L'entrada que heu introduït no coincideix amb el format GSTIN per a titulars d'UIN o proveïdors de serveis OIDAR no residents,
|
||||
Invoice Grand Total,Factura total total,
|
||||
Last carbon check date cannot be a future date,L'última data de revisió del carboni no pot ser una data futura,
|
||||
@ -3921,7 +3915,6 @@ Plaid authentication error,Error d'autenticació de plaid,
|
||||
Plaid public token error,Error de testimoni públic de l'escriptura,
|
||||
Plaid transactions sync error,Error de sincronització de transaccions amb plaid,
|
||||
Please check the error log for details about the import errors,Consulteu el registre d’errors per obtenir més detalls sobre els errors d’importació,
|
||||
Please click on the following link to set your new password,"Si us plau, feu clic al següent enllaç per configurar la nova contrasenya",
|
||||
Please create <b>DATEV Settings</b> for Company <b>{}</b>.,<b>Creeu la configuració de DATEV</b> per a l'empresa <b>{}</b> .,
|
||||
Please create adjustment Journal Entry for amount {0} ,Creeu l’entrada del diari d’ajust per l’import {0}.,
|
||||
Please do not create more than 500 items at a time,No creeu més de 500 articles alhora,
|
||||
@ -3997,6 +3990,7 @@ Refreshing,Refrescant,
|
||||
Release date must be in the future,La data de llançament ha de ser en el futur,
|
||||
Relieving Date must be greater than or equal to Date of Joining,La data de alleujament ha de ser superior o igual a la data d'adhesió,
|
||||
Rename,Canviar el nom,
|
||||
Rename Not Allowed,Canvia de nom no permès,
|
||||
Repayment Method is mandatory for term loans,El mètode de reemborsament és obligatori per a préstecs a termini,
|
||||
Repayment Start Date is mandatory for term loans,La data d’inici del reemborsament és obligatòria per als préstecs a termini,
|
||||
Report Item,Informe,
|
||||
@ -4043,7 +4037,6 @@ Search results for,Resultats de la cerca,
|
||||
Select All,Selecciona tot,
|
||||
Select Difference Account,Seleccioneu el compte de diferències,
|
||||
Select a Default Priority.,Seleccioneu una prioritat per defecte.,
|
||||
Select a Supplier from the Default Supplier List of the items below.,Seleccioneu un proveïdor de la llista de proveïdors predeterminada dels articles següents.,
|
||||
Select a company,Seleccioneu una empresa,
|
||||
Select finance book for the item {0} at row {1},Seleccioneu un llibre de finances per a l'element {0} de la fila {1},
|
||||
Select only one Priority as Default.,Seleccioneu només una prioritat com a predeterminada.,
|
||||
@ -4247,7 +4240,6 @@ Yes,Sí,
|
||||
Actual ,Reial,
|
||||
Add to cart,Afegir a la cistella,
|
||||
Budget,Pressupost,
|
||||
Chart Of Accounts Importer,Gràfic de l'importador de comptes,
|
||||
Chart of Accounts,Taula de comptes,
|
||||
Customer database.,Base de dades de clients.,
|
||||
Days Since Last order,Dies des de la darrera comanda,
|
||||
@ -4546,7 +4538,6 @@ Role that is allowed to submit transactions that exceed credit limits set.,Rol a
|
||||
Check Supplier Invoice Number Uniqueness,Comprovar Proveïdor Nombre de factura Singularitat,
|
||||
Make Payment via Journal Entry,Fa el pagament via entrada de diari,
|
||||
Unlink Payment on Cancellation of Invoice,Desvinculació de Pagament a la cancel·lació de la factura,
|
||||
Unlink Advance Payment on Cancelation of Order,Desconnectar de pagament anticipat per cancel·lació de la comanda,
|
||||
Book Asset Depreciation Entry Automatically,Llibre d'Actius entrada Depreciació automàticament,
|
||||
Automatically Add Taxes and Charges from Item Tax Template,Afegiu automàticament impostos i càrrecs de la plantilla d’impost d’ítems,
|
||||
Automatically Fetch Payment Terms,Recupera automàticament els termes de pagament,
|
||||
@ -4940,7 +4931,6 @@ Closing Account Head,Tancant el Compte principal,
|
||||
POS Customer Group,POS Grup de Clients,
|
||||
POS Field,Camp POS,
|
||||
POS Item Group,POS Grup d'articles,
|
||||
[Select],[Seleccionar],
|
||||
Company Address,Direcció de l'empresa,
|
||||
Update Stock,Actualització de Stock,
|
||||
Ignore Pricing Rule,Ignorar Regla preus,
|
||||
@ -6481,7 +6471,6 @@ HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM.,
|
||||
Appraisal Template,Plantilla d'Avaluació,
|
||||
For Employee Name,Per Nom de l'Empleat,
|
||||
Goals,Objectius,
|
||||
Calculate Total Score,Calcular Puntuació total,
|
||||
Total Score (Out of 5),Puntuació total (de 5),
|
||||
"Any other remarks, noteworthy effort that should go in the records.","Altres observacions, esforç notable que ha d'anar en els registres.",
|
||||
Appraisal Goal,Avaluació Meta,
|
||||
@ -6599,11 +6588,6 @@ Relieving Date,Data Alleujar,
|
||||
Reason for Leaving,Raons per deixar el,
|
||||
Leave Encashed?,Leave Encashed?,
|
||||
Encashment Date,Data Cobrament,
|
||||
Exit Interview Details,Detalls de l'entrevista final,
|
||||
Held On,Held On,
|
||||
Reason for Resignation,Motiu del cessament,
|
||||
Better Prospects,Millors perspectives,
|
||||
Health Concerns,Problemes de Salut,
|
||||
New Workplace,Nou lloc de treball,
|
||||
HR-EAD-.YYYY.-,HR-EAD -YYYY.-,
|
||||
Returned Amount,Import retornat,
|
||||
@ -8239,9 +8223,6 @@ Landed Cost Help,Landed Cost Ajuda,
|
||||
Manufacturers used in Items,Fabricants utilitzats en articles,
|
||||
Limited to 12 characters,Limitat a 12 caràcters,
|
||||
MAT-MR-.YYYY.-,MAT-MR.- AAAA.-,
|
||||
Set Warehouse,Establir magatzem,
|
||||
Sets 'For Warehouse' in each row of the Items table.,Estableix "Per a magatzem" a cada fila de la taula Elements.,
|
||||
Requested For,Requerida Per,
|
||||
Partially Ordered,Parcialment ordenat,
|
||||
Transferred,transferit,
|
||||
% Ordered,Demanem%,
|
||||
@ -8690,8 +8671,6 @@ Material Request Warehouse,Sol·licitud de material Magatzem,
|
||||
Select warehouse for material requests,Seleccioneu un magatzem per a sol·licituds de material,
|
||||
Transfer Materials For Warehouse {0},Transferència de materials per a magatzem {0},
|
||||
Production Plan Material Request Warehouse,Pla de producció Sol·licitud de material Magatzem,
|
||||
Set From Warehouse,Establert des del magatzem,
|
||||
Source Warehouse (Material Transfer),Magatzem font (transferència de material),
|
||||
Sets 'Source Warehouse' in each row of the items table.,Estableix "Magatzem font" a cada fila de la taula d'elements.,
|
||||
Sets 'Target Warehouse' in each row of the items table.,Estableix "Magatzem objectiu" a cada fila de la taula d'elements.,
|
||||
Show Cancelled Entries,Mostra les entrades cancel·lades,
|
||||
@ -9157,7 +9136,6 @@ Professional Tax,Impost professional,
|
||||
Is Income Tax Component,És un component de l'Impost sobre la Renda,
|
||||
Component properties and references ,Propietats i referències dels components,
|
||||
Additional Salary ,Salari addicional,
|
||||
Condtion and formula,Condició i fórmula,
|
||||
Unmarked days,Dies sense marcar,
|
||||
Absent Days,Dies absents,
|
||||
Conditions and Formula variable and example,Condició i variable de fórmula i exemple,
|
||||
@ -9444,7 +9422,6 @@ Plaid invalid request error,Error de sol·licitud no vàlid a quadres,
|
||||
Please check your Plaid client ID and secret values,Comproveu el vostre identificador de client Plaid i els valors secrets,
|
||||
Bank transaction creation error,Error de creació de transaccions bancàries,
|
||||
Unit of Measurement,Unitat de mesura,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Fila núm. {}: El percentatge de venda de l'article {} és inferior al seu {}. El percentatge de vendes ha de ser mínim {},
|
||||
Fiscal Year {0} Does Not Exist,L’any fiscal {0} no existeix,
|
||||
Row # {0}: Returned Item {1} does not exist in {2} {3},Fila núm. {0}: l'article retornat {1} no existeix a {2} {3},
|
||||
Valuation type charges can not be marked as Inclusive,Els càrrecs per tipus de taxació no es poden marcar com a Inclosius,
|
||||
@ -9598,8 +9575,60 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Definiu el te
|
||||
Response Time for {0} priority in row {1} can't be greater than Resolution Time.,El temps de resposta per a la {0} prioritat de la fila {1} no pot ser superior al temps de resolució.,
|
||||
{0} is not enabled in {1},{0} no està habilitat a {1},
|
||||
Group by Material Request,Agrupa per petició de material,
|
||||
"Row {0}: For Supplier {0}, Email Address is Required to Send Email","Fila {0}: per al proveïdor {0}, cal enviar una adreça de correu electrònic",
|
||||
Email Sent to Supplier {0},Correu electrònic enviat al proveïdor {0},
|
||||
"The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","L'accés a la sol·licitud de pressupost des del portal està desactivat. Per permetre l'accés, activeu-lo a Configuració del portal.",
|
||||
Supplier Quotation {0} Created,S'ha creat la cotització del proveïdor {0},
|
||||
Valid till Date cannot be before Transaction Date,La data vàlida fins a la data no pot ser anterior a la data de la transacció,
|
||||
Unlink Advance Payment on Cancellation of Order,Desenllaçar el pagament anticipat de la cancel·lació de la comanda,
|
||||
"Simple Python Expression, Example: territory != 'All Territories'","Expressió simple de Python, exemple: territori! = "Tots els territoris"",
|
||||
Sales Contributions and Incentives,Contribucions a la venda i incentius,
|
||||
Sourced by Supplier,Proveït pel proveïdor,
|
||||
Total weightage assigned should be 100%.<br>It is {0},El pes total assignat ha de ser del 100%.<br> És {0},
|
||||
Account {0} exists in parent company {1}.,El compte {0} existeix a l'empresa matriu {1}.,
|
||||
"To overrule this, enable '{0}' in company {1}","Per anul·lar això, activeu "{0}" a l'empresa {1}",
|
||||
Invalid condition expression,Expressió de condició no vàlida,
|
||||
Please Select a Company First,Seleccioneu primer una empresa,
|
||||
Please Select Both Company and Party Type First,Seleccioneu primer el tipus d’empresa i de festa,
|
||||
Provide the invoice portion in percent,Proporcioneu la part de la factura en percentatge,
|
||||
Give number of days according to prior selection,Indiqueu el nombre de dies segons la selecció prèvia,
|
||||
Email Details,Detalls del correu electrònic,
|
||||
"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Seleccioneu una felicitació per al receptor. Per exemple, senyor, senyora, etc.",
|
||||
Preview Email,Vista prèvia del correu electrònic,
|
||||
Please select a Supplier,Seleccioneu un proveïdor,
|
||||
Supplier Lead Time (days),Temps de lliurament del proveïdor (dies),
|
||||
"Home, Work, etc.","Llar, feina, etc.",
|
||||
Exit Interview Held On,Surt de l'entrevista realitzada,
|
||||
Condition and formula,Condició i fórmula,
|
||||
Sets 'Target Warehouse' in each row of the Items table.,Estableix "Magatzem objectiu" a cada fila de la taula Elements.,
|
||||
Sets 'Source Warehouse' in each row of the Items table.,Estableix "Magatzem font" a cada fila de la taula Elements.,
|
||||
POS Register,Registre TPV,
|
||||
"Can not filter based on POS Profile, if grouped by POS Profile","No es pot filtrar segons el perfil de TPV, si s'agrupa per perfil de TPV",
|
||||
"Can not filter based on Customer, if grouped by Customer","No es pot filtrar en funció del client, si s'agrupa per client",
|
||||
"Can not filter based on Cashier, if grouped by Cashier","No es pot filtrar segons el Caixer, si s'agrupa per Caixer",
|
||||
Payment Method,Mètode de pagament,
|
||||
"Can not filter based on Payment Method, if grouped by Payment Method","No es pot filtrar en funció del mètode de pagament, si s'agrupa per mètode de pagament",
|
||||
Supplier Quotation Comparison,Comparació de pressupostos de proveïdors,
|
||||
Price per Unit (Stock UOM),Preu per unitat (UOM d’estoc),
|
||||
Group by Supplier,Grup per proveïdor,
|
||||
Group by Item,Agrupa per ítem,
|
||||
Remember to set {field_label}. It is required by {regulation}.,Recordeu establir {field_label}. És obligatori per {reglament}.,
|
||||
Enrollment Date cannot be before the Start Date of the Academic Year {0},La data d'inscripció no pot ser anterior a la data d'inici de l'any acadèmic {0},
|
||||
Enrollment Date cannot be after the End Date of the Academic Term {0},La data d'inscripció no pot ser posterior a la data de finalització del període acadèmic {0},
|
||||
Enrollment Date cannot be before the Start Date of the Academic Term {0},La data d'inscripció no pot ser anterior a la data d'inici del període acadèmic {0},
|
||||
Posting future transactions are not allowed due to Immutable Ledger,No es permet la publicació de transaccions futures a causa de Immutable Ledger,
|
||||
Future Posting Not Allowed,No es permeten publicacions futures,
|
||||
"To enable Capital Work in Progress Accounting, ","Per activar la comptabilitat de treballs en capital,",
|
||||
you must select Capital Work in Progress Account in accounts table,heu de seleccionar el compte de capital en curs a la taula de comptes,
|
||||
You can also set default CWIP account in Company {},També podeu definir un compte CWIP predeterminat a Company {},
|
||||
The Request for Quotation can be accessed by clicking on the following button,Es pot accedir a la sol·licitud de pressupost fent clic al botó següent,
|
||||
Regards,Salutacions,
|
||||
Please click on the following button to set your new password,Feu clic al botó següent per configurar la vostra nova contrasenya,
|
||||
Update Password,Actualitza la contrasenya,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Fila núm. {}: El percentatge de vendes de l'article {} és inferior al seu {}. La venda {} hauria de ser mínima {},
|
||||
You can alternatively disable selling price validation in {} to bypass this validation.,També podeu desactivar la validació de preus de venda a {} per evitar aquesta validació.,
|
||||
Invalid Selling Price,Preu de venda no vàlid,
|
||||
Address needs to be linked to a Company. Please add a row for Company in the Links table.,L’adreça ha d’estar vinculada a una empresa. Afegiu una fila per a Empresa a la taula Enllaços.,
|
||||
Company Not Linked,Empresa no vinculada,
|
||||
Import Chart of Accounts from CSV / Excel files,Importeu un pla de comptes de fitxers CSV / Excel,
|
||||
Completed Qty cannot be greater than 'Qty to Manufacture',La quantitat completada no pot ser superior a "Quantitat per fabricar",
|
||||
"Row {0}: For Supplier {1}, Email Address is Required to send an email","Fila {0}: per al proveïdor {1}, cal enviar una adreça electrònica per enviar un correu electrònic",
|
||||
|
Can't render this file because it is too large.
|
@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Obvinění z
|
||||
Chargeble,Chargeble,
|
||||
Charges are updated in Purchase Receipt against each item,Poplatky jsou aktualizovány v dokladu o koupi na každou položku,
|
||||
"Charges will be distributed proportionately based on item qty or amount, as per your selection","Poplatky budou rozděleny úměrně na základě položky Množství nebo částkou, dle Vašeho výběru",
|
||||
Chart Of Accounts,Diagram účtů,
|
||||
Chart of Cost Centers,Diagram nákladových středisek,
|
||||
Check all,Zkontrolovat vše,
|
||||
Checkout,Odhlásit se,
|
||||
@ -581,7 +580,6 @@ Company {0} does not exist,Společnost {0} neexistuje,
|
||||
Compensatory Off,Vyrovnávací Off,
|
||||
Compensatory leave request days not in valid holidays,Kompenzační prázdniny nejsou v platných prázdninách,
|
||||
Complaint,Stížnost,
|
||||
Completed Qty can not be greater than 'Qty to Manufacture',"Dokončené množství nemůže být větší než ""Množství do výroby""",
|
||||
Completion Date,Dokončení Datum,
|
||||
Computer,Počítač,
|
||||
Condition,Podmínka,
|
||||
@ -2033,7 +2031,6 @@ Please select Category first,Nejdřív vyberte kategorii,
|
||||
Please select Charge Type first,"Prosím, vyberte druh tarifu první",
|
||||
Please select Company,"Prosím, vyberte Company",
|
||||
Please select Company and Designation,Vyberte prosím společnost a označení,
|
||||
Please select Company and Party Type first,Vyberte první společnost a Party Typ,
|
||||
Please select Company and Posting Date to getting entries,Zvolte prosím datum společnosti a datum odevzdání,
|
||||
Please select Company first,"Prosím, vyberte první firma",
|
||||
Please select Completion Date for Completed Asset Maintenance Log,Zvolte datum dokončení dokončeného protokolu údržby aktiv,
|
||||
@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,Název insti
|
||||
The name of your company for which you are setting up this system.,"Název vaší společnosti, pro kterou nastavení tohoto systému.",
|
||||
The number of shares and the share numbers are inconsistent,Počet akcií a čísla akcií je nekonzistentní,
|
||||
The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Účet platební brány v plánu {0} se liší od účtu platební brány v této žádosti o platbu,
|
||||
The request for quotation can be accessed by clicking on the following link,Žádost o cenovou nabídku lze přistupovat kliknutím na následující odkaz,
|
||||
The selected BOMs are not for the same item,Vybrané kusovníky nejsou stejné položky,
|
||||
The selected item cannot have Batch,Vybraná položka nemůže mít dávku,
|
||||
The seller and the buyer cannot be the same,Prodávající a kupující nemohou být stejní,
|
||||
@ -3130,7 +3126,6 @@ Total contribution percentage should be equal to 100,Celkové procento příspě
|
||||
Total flexible benefit component amount {0} should not be less than max benefits {1},Celková částka pružné výhody {0} by neměla být menší než maximální dávka {1},
|
||||
Total hours: {0},Celkem hodin: {0},
|
||||
Total leaves allocated is mandatory for Leave Type {0},Celkový počet přidělených listů je povinný pro typ dovolené {0},
|
||||
Total weightage assigned should be 100%. It is {0},Celková weightage přiřazen by měla být 100%. Je {0},
|
||||
Total working hours should not be greater than max working hours {0},Celkem pracovní doba by neměla být větší než maximální pracovní doby {0},
|
||||
Total {0} ({1}),Celkem {0} ({1}),
|
||||
"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Celkem {0} pro všechny položky je nula, může být byste měli změnit "Rozdělte poplatků založený na"",
|
||||
@ -3544,7 +3539,6 @@ Company GSTIN,Společnost GSTIN,
|
||||
Company field is required,Pole společnosti je povinné,
|
||||
Creating Dimensions...,Vytváření dimenzí ...,
|
||||
Duplicate entry against the item code {0} and manufacturer {1},Duplicitní zadání oproti kódu položky {0} a výrobci {1},
|
||||
Import Chart Of Accounts from CSV / Excel files,Importujte graf účtů ze souborů CSV / Excel,
|
||||
Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Neplatný GSTIN! Zadaný vstup neodpovídá formátu GSTIN pro držitele UIN nebo nerezidentní poskytovatele služeb OIDAR,
|
||||
Invoice Grand Total,Faktura celkem celkem,
|
||||
Last carbon check date cannot be a future date,Datum poslední kontroly uhlíku nemůže být budoucí,
|
||||
@ -3921,7 +3915,6 @@ Plaid authentication error,Chyba plaid autentizace,
|
||||
Plaid public token error,Plaid public token error,
|
||||
Plaid transactions sync error,Chyba synchronizace plaidních transakcí,
|
||||
Please check the error log for details about the import errors,Podrobnosti o chybách importu naleznete v protokolu chyb,
|
||||
Please click on the following link to set your new password,"Prosím klikněte na následující odkaz, pro nastavení nového hesla",
|
||||
Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Vytvořte prosím <b>nastavení DATEV</b> pro společnost <b>{}</b> .,
|
||||
Please create adjustment Journal Entry for amount {0} ,Vytvořte prosím opravný zápis do deníku o částku {0},
|
||||
Please do not create more than 500 items at a time,Nevytvářejte více než 500 položek najednou,
|
||||
@ -3997,6 +3990,7 @@ Refreshing,Osvěžující,
|
||||
Release date must be in the future,Datum vydání musí být v budoucnosti,
|
||||
Relieving Date must be greater than or equal to Date of Joining,Datum vydání musí být větší nebo rovno Datum připojení,
|
||||
Rename,Přejmenovat,
|
||||
Rename Not Allowed,Přejmenovat není povoleno,
|
||||
Repayment Method is mandatory for term loans,Způsob splácení je povinný pro termínované půjčky,
|
||||
Repayment Start Date is mandatory for term loans,Datum zahájení splácení je povinné pro termínované půjčky,
|
||||
Report Item,Položka sestavy,
|
||||
@ -4043,7 +4037,6 @@ Search results for,Výsledky hledání pro,
|
||||
Select All,Vybrat vše,
|
||||
Select Difference Account,Vyberte rozdílový účet,
|
||||
Select a Default Priority.,Vyberte výchozí prioritu.,
|
||||
Select a Supplier from the Default Supplier List of the items below.,Vyberte dodavatele z výchozího seznamu dodavatelů níže uvedených položek.,
|
||||
Select a company,Vyberte společnost,
|
||||
Select finance book for the item {0} at row {1},Vyberte finanční knihu pro položku {0} v řádku {1},
|
||||
Select only one Priority as Default.,Jako výchozí vyberte pouze jednu prioritu.,
|
||||
@ -4247,7 +4240,6 @@ Yes,Ano,
|
||||
Actual ,Aktuální,
|
||||
Add to cart,Přidat do košíku,
|
||||
Budget,Rozpočet,
|
||||
Chart Of Accounts Importer,Dovozce grafů účtů,
|
||||
Chart of Accounts,Graf účtů,
|
||||
Customer database.,Databáze zákazníků.,
|
||||
Days Since Last order,Počet dnů od poslední objednávky,
|
||||
@ -4546,7 +4538,6 @@ Role that is allowed to submit transactions that exceed credit limits set.,"Role
|
||||
Check Supplier Invoice Number Uniqueness,"Zkontrolujte, zda dodavatelské faktury Počet Jedinečnost",
|
||||
Make Payment via Journal Entry,Provést platbu přes Journal Entry,
|
||||
Unlink Payment on Cancellation of Invoice,Odpojit Platba o zrušení faktury,
|
||||
Unlink Advance Payment on Cancelation of Order,Odpojte zálohy na zrušení objednávky,
|
||||
Book Asset Depreciation Entry Automatically,Zúčtování odpisu majetku na účet automaticky,
|
||||
Automatically Add Taxes and Charges from Item Tax Template,Automaticky přidávat daně a poplatky ze šablony položky daně,
|
||||
Automatically Fetch Payment Terms,Automaticky načíst platební podmínky,
|
||||
@ -4940,7 +4931,6 @@ Closing Account Head,Závěrečný účet hlava,
|
||||
POS Customer Group,POS Customer Group,
|
||||
POS Field,Pole POS,
|
||||
POS Item Group,POS položky Group,
|
||||
[Select],[Vybrat],
|
||||
Company Address,adresa společnosti,
|
||||
Update Stock,Aktualizace skladem,
|
||||
Ignore Pricing Rule,Ignorovat Ceny pravidlo,
|
||||
@ -6481,7 +6471,6 @@ HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM.,
|
||||
Appraisal Template,Posouzení Template,
|
||||
For Employee Name,Pro jméno zaměstnance,
|
||||
Goals,Cíle,
|
||||
Calculate Total Score,Vypočítat Celková skóre,
|
||||
Total Score (Out of 5),Celkové skóre (Out of 5),
|
||||
"Any other remarks, noteworthy effort that should go in the records.","Jakékoli jiné poznámky, pozoruhodné úsilí, které by měly jít v záznamech.",
|
||||
Appraisal Goal,Posouzení Goal,
|
||||
@ -6599,11 +6588,6 @@ Relieving Date,Uvolnění Datum,
|
||||
Reason for Leaving,Důvod Leaving,
|
||||
Leave Encashed?,Dovolená proplacena?,
|
||||
Encashment Date,Inkaso Datum,
|
||||
Exit Interview Details,Exit Rozhovor Podrobnosti,
|
||||
Held On,Které se konalo dne,
|
||||
Reason for Resignation,Důvod rezignace,
|
||||
Better Prospects,Lepší vyhlídky,
|
||||
Health Concerns,Zdravotní Obavy,
|
||||
New Workplace,Nové pracoviště,
|
||||
HR-EAD-.YYYY.-,HR-EAD-.YYYY.-,
|
||||
Returned Amount,Vrácená částka,
|
||||
@ -8239,9 +8223,6 @@ Landed Cost Help,Přistálo Náklady Help,
|
||||
Manufacturers used in Items,Výrobci používané v bodech,
|
||||
Limited to 12 characters,Omezeno na 12 znaků,
|
||||
MAT-MR-.YYYY.-,MAT-MR-.YYYY.-,
|
||||
Set Warehouse,Nastavit sklad,
|
||||
Sets 'For Warehouse' in each row of the Items table.,Nastaví v každém řádku tabulky „For Warehouse“.,
|
||||
Requested For,Požadovaných pro,
|
||||
Partially Ordered,Částečně objednáno,
|
||||
Transferred,Přestoupil,
|
||||
% Ordered,% objednáno,
|
||||
@ -8690,8 +8671,6 @@ Material Request Warehouse,Sklad požadavku na materiál,
|
||||
Select warehouse for material requests,Vyberte sklad pro požadavky na materiál,
|
||||
Transfer Materials For Warehouse {0},Přenos materiálů do skladu {0},
|
||||
Production Plan Material Request Warehouse,Sklad požadavku na materiál výrobního plánu,
|
||||
Set From Warehouse,Nastaveno ze skladu,
|
||||
Source Warehouse (Material Transfer),Zdrojový sklad (přenos materiálu),
|
||||
Sets 'Source Warehouse' in each row of the items table.,Nastaví v každém řádku tabulky položek „Zdrojový sklad“.,
|
||||
Sets 'Target Warehouse' in each row of the items table.,Nastaví v každém řádku tabulky položek „Target Warehouse“.,
|
||||
Show Cancelled Entries,Zobrazit zrušené položky,
|
||||
@ -9157,7 +9136,6 @@ Professional Tax,Profesionální daň,
|
||||
Is Income Tax Component,Je složkou daně z příjmu,
|
||||
Component properties and references ,Vlastnosti komponent a odkazy,
|
||||
Additional Salary ,Dodatečný plat,
|
||||
Condtion and formula,Podmínky a vzorec,
|
||||
Unmarked days,Neoznačené dny,
|
||||
Absent Days,Chybějící dny,
|
||||
Conditions and Formula variable and example,Podmínky a proměnná vzorce a příklad,
|
||||
@ -9444,7 +9422,6 @@ Plaid invalid request error,Přehozená chyba neplatné žádosti,
|
||||
Please check your Plaid client ID and secret values,Zkontrolujte prosím ID klienta a tajné hodnoty,
|
||||
Bank transaction creation error,Chyba při vytváření bankovní transakce,
|
||||
Unit of Measurement,Jednotka měření,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Řádek {}: Míra prodeje pro položku {} je nižší než její {}. Míra prodeje by měla být alespoň {},
|
||||
Fiscal Year {0} Does Not Exist,Fiskální rok {0} neexistuje,
|
||||
Row # {0}: Returned Item {1} does not exist in {2} {3},Řádek č. {0}: Vrácená položka {1} neexistuje v doméně {2} {3},
|
||||
Valuation type charges can not be marked as Inclusive,Poplatky typu ocenění nelze označit jako inkluzivní,
|
||||
@ -9598,8 +9575,60 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Nastavte čas
|
||||
Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Doba odezvy pro {0} prioritu v řádku {1} nesmí být větší než doba rozlišení.,
|
||||
{0} is not enabled in {1},{0} není povolen v {1},
|
||||
Group by Material Request,Seskupit podle požadavku na materiál,
|
||||
"Row {0}: For Supplier {0}, Email Address is Required to Send Email",Řádek {0}: U dodavatele {0} je pro odesílání e-mailů vyžadována e-mailová adresa,
|
||||
Email Sent to Supplier {0},E-mail odeslaný dodavateli {0},
|
||||
"The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","Přístup k žádosti o nabídku z portálu je zakázán. Chcete-li povolit přístup, povolte jej v nastavení portálu.",
|
||||
Supplier Quotation {0} Created,Nabídka dodavatele {0} vytvořena,
|
||||
Valid till Date cannot be before Transaction Date,Platnost do data nemůže být před datem transakce,
|
||||
Unlink Advance Payment on Cancellation of Order,Zrušit propojení zálohy při zrušení objednávky,
|
||||
"Simple Python Expression, Example: territory != 'All Territories'","Jednoduchý výraz v Pythonu, příklad: Teritorium! = 'Všechna území'",
|
||||
Sales Contributions and Incentives,Příspěvky na prodej a pobídky,
|
||||
Sourced by Supplier,Zdroj od dodavatele,
|
||||
Total weightage assigned should be 100%.<br>It is {0},Celková přidělená hmotnost by měla být 100%.<br> Je to {0},
|
||||
Account {0} exists in parent company {1}.,Účet {0} existuje v mateřské společnosti {1}.,
|
||||
"To overrule this, enable '{0}' in company {1}","Chcete-li to potlačit, povolte ve společnosti {1} „{0}“",
|
||||
Invalid condition expression,Neplatný výraz podmínky,
|
||||
Please Select a Company First,Nejprve vyberte společnost,
|
||||
Please Select Both Company and Party Type First,Nejprve vyberte prosím společnost a typ strany,
|
||||
Provide the invoice portion in percent,Uveďte část faktury v procentech,
|
||||
Give number of days according to prior selection,Uveďte počet dní podle předchozího výběru,
|
||||
Email Details,E-mailové podrobnosti,
|
||||
"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Vyberte pozdrav pro příjemce. Např. Pan, paní atd.",
|
||||
Preview Email,Náhled e-mailu,
|
||||
Please select a Supplier,Vyberte prosím dodavatele,
|
||||
Supplier Lead Time (days),Dodací lhůta dodavatele (dny),
|
||||
"Home, Work, etc.","Domov, práce atd.",
|
||||
Exit Interview Held On,Exit Interview Holded On,
|
||||
Condition and formula,Stav a vzorec,
|
||||
Sets 'Target Warehouse' in each row of the Items table.,Nastaví v každém řádku tabulky položek „Cílový sklad“.,
|
||||
Sets 'Source Warehouse' in each row of the Items table.,Nastaví „Zdrojový sklad“ v každém řádku tabulky Položky.,
|
||||
POS Register,POS registr,
|
||||
"Can not filter based on POS Profile, if grouped by POS Profile","Nelze filtrovat na základě POS profilu, pokud je seskupen podle POS profilu",
|
||||
"Can not filter based on Customer, if grouped by Customer","Nelze filtrovat na základě zákazníka, pokud je seskupen podle zákazníka",
|
||||
"Can not filter based on Cashier, if grouped by Cashier","Nelze filtrovat podle pokladníka, pokud je seskupen podle pokladníka",
|
||||
Payment Method,Způsob platby,
|
||||
"Can not filter based on Payment Method, if grouped by Payment Method","Nelze filtrovat podle způsobu platby, pokud jsou seskupeny podle způsobu platby",
|
||||
Supplier Quotation Comparison,Porovnání nabídky dodavatele,
|
||||
Price per Unit (Stock UOM),Cena za jednotku (MJ na skladě),
|
||||
Group by Supplier,Seskupit podle dodavatele,
|
||||
Group by Item,Seskupit podle položky,
|
||||
Remember to set {field_label}. It is required by {regulation}.,Nezapomeňte nastavit {field_label}. Vyžaduje to {nařízení}.,
|
||||
Enrollment Date cannot be before the Start Date of the Academic Year {0},Datum zápisu nesmí být dříve než datum zahájení akademického roku {0},
|
||||
Enrollment Date cannot be after the End Date of the Academic Term {0},Datum zápisu nesmí být po datu ukončení akademického období {0},
|
||||
Enrollment Date cannot be before the Start Date of the Academic Term {0},Datum zápisu nemůže být dříve než datum zahájení akademického období {0},
|
||||
Posting future transactions are not allowed due to Immutable Ledger,Zúčtování budoucích transakcí není povoleno kvůli Immutable Ledger,
|
||||
Future Posting Not Allowed,Budoucí zveřejňování příspěvků není povoleno,
|
||||
"To enable Capital Work in Progress Accounting, ","Chcete-li povolit průběžné účtování kapitálu,",
|
||||
you must select Capital Work in Progress Account in accounts table,v tabulce účtů musíte vybrat Účet rozpracovaného kapitálu,
|
||||
You can also set default CWIP account in Company {},Ve společnosti {} můžete také nastavit výchozí účet CWIP,
|
||||
The Request for Quotation can be accessed by clicking on the following button,Požadavek na nabídku je přístupný kliknutím na následující tlačítko,
|
||||
Regards,pozdravy,
|
||||
Please click on the following button to set your new password,Kliknutím na následující tlačítko nastavíte nové heslo,
|
||||
Update Password,Aktualizujte heslo,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Řádek {}: Míra prodeje pro položku {} je nižší než její {}. Prodej {} by měl být alespoň {},
|
||||
You can alternatively disable selling price validation in {} to bypass this validation.,Alternativně můžete deaktivovat ověření prodejní ceny v {} a toto ověření obejít.,
|
||||
Invalid Selling Price,Neplatná prodejní cena,
|
||||
Address needs to be linked to a Company. Please add a row for Company in the Links table.,Adresu je třeba propojit se společností. V tabulce Odkazy přidejte řádek pro Společnost.,
|
||||
Company Not Linked,Společnost není propojena,
|
||||
Import Chart of Accounts from CSV / Excel files,Importujte účtovou osnovu ze souborů CSV / Excel,
|
||||
Completed Qty cannot be greater than 'Qty to Manufacture',Dokončené množství nemůže být větší než „Množství do výroby“,
|
||||
"Row {0}: For Supplier {1}, Email Address is Required to send an email",Řádek {0}: U dodavatele {1} je pro odeslání e-mailu vyžadována e-mailová adresa,
|
||||
|
Can't render this file because it is too large.
|
@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Afgift af typ
|
||||
Chargeble,chargeble,
|
||||
Charges are updated in Purchase Receipt against each item,Afgifter er opdateret i købskvitteringen for hver enkelt vare,
|
||||
"Charges will be distributed proportionately based on item qty or amount, as per your selection","Afgifter vil blive fordelt forholdsmæssigt baseret på post qty eller mængden, som pr dit valg",
|
||||
Chart Of Accounts,Kontoplan,
|
||||
Chart of Cost Centers,Diagram af omkostningssteder,
|
||||
Check all,Vælg alle,
|
||||
Checkout,bestilling,
|
||||
@ -581,7 +580,6 @@ Company {0} does not exist,Firma {0} findes ikke,
|
||||
Compensatory Off,Kompenserende Off,
|
||||
Compensatory leave request days not in valid holidays,Forsøgsfrihed anmodningsdage ikke i gyldige helligdage,
|
||||
Complaint,Symptom,
|
||||
Completed Qty can not be greater than 'Qty to Manufacture',Afsluttet Antal kan ikke være større end 'antal til Fremstilling',
|
||||
Completion Date,Afslutning Dato,
|
||||
Computer,Computer,
|
||||
Condition,Tilstand,
|
||||
@ -2033,7 +2031,6 @@ Please select Category first,Vælg kategori først,
|
||||
Please select Charge Type first,Vælg Charge Type først,
|
||||
Please select Company,Vælg firma,
|
||||
Please select Company and Designation,Vælg venligst Firma og Betegnelse,
|
||||
Please select Company and Party Type first,Vælg Virksomhed og Selskabstype først,
|
||||
Please select Company and Posting Date to getting entries,Vælg venligst Company og Posting Date for at få poster,
|
||||
Please select Company first,Vælg venligst firma først,
|
||||
Please select Completion Date for Completed Asset Maintenance Log,Vælg venligst Afslutningsdato for Udfyldt Asset Maintenance Log,
|
||||
@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,"Navnet på
|
||||
The name of your company for which you are setting up this system.,"Navnet på dit firma, som du oprette i dette system.",
|
||||
The number of shares and the share numbers are inconsistent,Antallet af aktier og aktienumrene er inkonsekvente,
|
||||
The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Betalingsgateway-kontoen i plan {0} er forskellig fra betalingsgateway-kontoen i denne betalingsanmodning,
|
||||
The request for quotation can be accessed by clicking on the following link,Tilbudsforespørgslen findes ved at klikke på følgende link,
|
||||
The selected BOMs are not for the same item,De valgte styklister er ikke for den samme vare,
|
||||
The selected item cannot have Batch,Den valgte vare kan ikke have parti,
|
||||
The seller and the buyer cannot be the same,Sælgeren og køberen kan ikke være det samme,
|
||||
@ -3130,7 +3126,6 @@ Total contribution percentage should be equal to 100,Den samlede bidragsprocent
|
||||
Total flexible benefit component amount {0} should not be less than max benefits {1},Det samlede beløb for fleksibel fordel {0} bør ikke være mindre end maksimale fordele {1},
|
||||
Total hours: {0},Total time: {0},
|
||||
Total leaves allocated is mandatory for Leave Type {0},Samlet antal tildelte blade er obligatoriske for Forladetype {0},
|
||||
Total weightage assigned should be 100%. It is {0},Samlet weightage tildelt skulle være 100%. Det er {0},
|
||||
Total working hours should not be greater than max working hours {0},Arbejdstid i alt bør ikke være større end maksimal arbejdstid {0},
|
||||
Total {0} ({1}),I alt {0} ({1}),
|
||||
"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","I alt {0} for alle punkter er nul, kan være du skal ændre "Fordel afgifter baseret på '",
|
||||
@ -3544,7 +3539,6 @@ Company GSTIN,Firma GSTIN,
|
||||
Company field is required,Virksomhedsfelt er påkrævet,
|
||||
Creating Dimensions...,Opretter dimensioner ...,
|
||||
Duplicate entry against the item code {0} and manufacturer {1},Kopiér indtastning mod varekoden {0} og producenten {1},
|
||||
Import Chart Of Accounts from CSV / Excel files,Importer oversigt over konti fra CSV / Excel-filer,
|
||||
Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,"Ugyldig GSTIN! Det input, du har indtastet, stemmer ikke overens med GSTIN-formatet for UIN-indehavere eller ikke-residente OIDAR-tjenesteudbydere",
|
||||
Invoice Grand Total,Faktura Grand Total,
|
||||
Last carbon check date cannot be a future date,Sidste dato for kulstofkontrol kan ikke være en fremtidig dato,
|
||||
@ -3921,7 +3915,6 @@ Plaid authentication error,Plaid-godkendelsesfejl,
|
||||
Plaid public token error,Plaid public token error,
|
||||
Plaid transactions sync error,Fejl i synkronisering af pladetransaktioner,
|
||||
Please check the error log for details about the import errors,Kontroller fejlloggen for detaljer om importfejl,
|
||||
Please click on the following link to set your new password,Klik på følgende link for at indstille din nye adgangskode,
|
||||
Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Opret venligst <b>DATEV-indstillinger</b> for firma <b>{}</b> .,
|
||||
Please create adjustment Journal Entry for amount {0} ,Opret venligst justering af journalindtastning for beløb {0},
|
||||
Please do not create more than 500 items at a time,Opret venligst ikke mere end 500 varer ad gangen,
|
||||
@ -3997,6 +3990,7 @@ Refreshing,Opfrisker,
|
||||
Release date must be in the future,Udgivelsesdato skal være i fremtiden,
|
||||
Relieving Date must be greater than or equal to Date of Joining,Fritagelsesdato skal være større end eller lig med tiltrædelsesdato,
|
||||
Rename,Omdøb,
|
||||
Rename Not Allowed,Omdøb ikke tilladt,
|
||||
Repayment Method is mandatory for term loans,Tilbagebetalingsmetode er obligatorisk for kortfristede lån,
|
||||
Repayment Start Date is mandatory for term loans,Startdato for tilbagebetaling er obligatorisk for kortfristede lån,
|
||||
Report Item,Rapporter element,
|
||||
@ -4043,7 +4037,6 @@ Search results for,Søgeresultater for,
|
||||
Select All,Vælg alt,
|
||||
Select Difference Account,Vælg Difference Account,
|
||||
Select a Default Priority.,Vælg en standardprioritet.,
|
||||
Select a Supplier from the Default Supplier List of the items below.,Vælg en leverandør fra standardleverandørlisten med nedenstående varer.,
|
||||
Select a company,Vælg et firma,
|
||||
Select finance book for the item {0} at row {1},Vælg finansbog for varen {0} i række {1},
|
||||
Select only one Priority as Default.,Vælg kun en prioritet som standard.,
|
||||
@ -4247,7 +4240,6 @@ Yes,Ja,
|
||||
Actual ,Faktiske,
|
||||
Add to cart,Føj til indkøbsvogn,
|
||||
Budget,Budget,
|
||||
Chart Of Accounts Importer,Kontoplan for importør,
|
||||
Chart of Accounts,Kontoplan,
|
||||
Customer database.,Kundedatabase.,
|
||||
Days Since Last order,Dage siden sidste ordre,
|
||||
@ -4546,7 +4538,6 @@ Role that is allowed to submit transactions that exceed credit limits set.,"Roll
|
||||
Check Supplier Invoice Number Uniqueness,Tjek entydigheden af leverandørfakturanummeret,
|
||||
Make Payment via Journal Entry,Foretag betaling via kassekladden,
|
||||
Unlink Payment on Cancellation of Invoice,Fjern link Betaling ved Annullering af faktura,
|
||||
Unlink Advance Payment on Cancelation of Order,Fjern tilknytning til forskud ved annullering af ordre,
|
||||
Book Asset Depreciation Entry Automatically,Bogføring af aktivernes afskrivning automatisk,
|
||||
Automatically Add Taxes and Charges from Item Tax Template,Tilføj automatisk skatter og afgifter fra vareskatteskabelonen,
|
||||
Automatically Fetch Payment Terms,Hent automatisk betalingsbetingelser,
|
||||
@ -4940,7 +4931,6 @@ Closing Account Head,Lukning konto Hoved,
|
||||
POS Customer Group,Kassesystem-kundegruppe,
|
||||
POS Field,POS felt,
|
||||
POS Item Group,Kassesystem-varegruppe,
|
||||
[Select],[Vælg],
|
||||
Company Address,Virksomhedsadresse,
|
||||
Update Stock,Opdatering Stock,
|
||||
Ignore Pricing Rule,Ignorér prisfastsættelsesregel,
|
||||
@ -6481,7 +6471,6 @@ HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM.,
|
||||
Appraisal Template,Vurderingsskabelon,
|
||||
For Employee Name,Til medarbejdernavn,
|
||||
Goals,Mål,
|
||||
Calculate Total Score,Beregn Total Score,
|
||||
Total Score (Out of 5),Samlet score (ud af 5),
|
||||
"Any other remarks, noteworthy effort that should go in the records.","Alle andre bemærkninger, bemærkelsesværdigt indsats, skal gå i registrene.",
|
||||
Appraisal Goal,Vurderingsmål,
|
||||
@ -6599,11 +6588,6 @@ Relieving Date,Lindre Dato,
|
||||
Reason for Leaving,Årsag til Leaving,
|
||||
Leave Encashed?,Skal fravær udbetales?,
|
||||
Encashment Date,Indløsningsdato,
|
||||
Exit Interview Details,Exit Interview Detaljer,
|
||||
Held On,Held On,
|
||||
Reason for Resignation,Årsag til Udmeldelse,
|
||||
Better Prospects,Bedre udsigter,
|
||||
Health Concerns,Sundhedsmæssige betænkeligheder,
|
||||
New Workplace,Ny Arbejdsplads,
|
||||
HR-EAD-.YYYY.-,HR-EAD-.YYYY.-,
|
||||
Returned Amount,Returneret beløb,
|
||||
@ -8239,9 +8223,6 @@ Landed Cost Help,Landed Cost Hjælp,
|
||||
Manufacturers used in Items,"Producenter, der anvendes i artikler",
|
||||
Limited to 12 characters,Begrænset til 12 tegn,
|
||||
MAT-MR-.YYYY.-,MAT-MR-.YYYY.-,
|
||||
Set Warehouse,Indstil lager,
|
||||
Sets 'For Warehouse' in each row of the Items table.,Indstiller 'For lager' i hver række i tabellen Varer.,
|
||||
Requested For,Anmodet om,
|
||||
Partially Ordered,Delvist bestilt,
|
||||
Transferred,overført,
|
||||
% Ordered,% Bestilt,
|
||||
@ -8690,8 +8671,6 @@ Material Request Warehouse,Materialeanmodningslager,
|
||||
Select warehouse for material requests,Vælg lager til materialeanmodninger,
|
||||
Transfer Materials For Warehouse {0},Overfør materiale til lager {0},
|
||||
Production Plan Material Request Warehouse,Produktionsplan Materialeanmodningslager,
|
||||
Set From Warehouse,Sæt fra lager,
|
||||
Source Warehouse (Material Transfer),Kildelager (overførsel af materiale),
|
||||
Sets 'Source Warehouse' in each row of the items table.,Indstiller 'Source Warehouse' i hver række i varetabellen.,
|
||||
Sets 'Target Warehouse' in each row of the items table.,Indstiller 'Target Warehouse' i hver række i varetabellen.,
|
||||
Show Cancelled Entries,Vis annullerede poster,
|
||||
@ -9157,7 +9136,6 @@ Professional Tax,Professionel skat,
|
||||
Is Income Tax Component,Er indkomstskatkomponent,
|
||||
Component properties and references ,Komponentegenskaber og referencer,
|
||||
Additional Salary ,Yderligere løn,
|
||||
Condtion and formula,Konduktion og formel,
|
||||
Unmarked days,Umarkerede dage,
|
||||
Absent Days,Fraværende dage,
|
||||
Conditions and Formula variable and example,Betingelser og formelvariabel og eksempel,
|
||||
@ -9444,7 +9422,6 @@ Plaid invalid request error,Plaid ugyldig anmodning fejl,
|
||||
Please check your Plaid client ID and secret values,Kontroller dit Plaid-klient-id og hemmelige værdier,
|
||||
Bank transaction creation error,Fejl ved oprettelse af banktransaktioner,
|
||||
Unit of Measurement,Måleenhed,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Række nr. {}: Sælgeraten for varen {} er lavere end dens {}. Sælgesatsen skal være mindst {},
|
||||
Fiscal Year {0} Does Not Exist,Regnskabsår {0} eksisterer ikke,
|
||||
Row # {0}: Returned Item {1} does not exist in {2} {3},Række nr. {0}: Returneret vare {1} findes ikke i {2} {3},
|
||||
Valuation type charges can not be marked as Inclusive,Gebyrer for værdiansættelse kan ikke markeres som inklusiv,
|
||||
@ -9598,8 +9575,60 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Indstil svart
|
||||
Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Svartid for {0} prioritet i række {1} kan ikke være længere end opløsningstid.,
|
||||
{0} is not enabled in {1},{0} er ikke aktiveret i {1},
|
||||
Group by Material Request,Gruppér efter materialeanmodning,
|
||||
"Row {0}: For Supplier {0}, Email Address is Required to Send Email",Række {0}: For leverandør {0} kræves e-mail-adresse for at sende e-mail,
|
||||
Email Sent to Supplier {0},E-mail sendt til leverandør {0},
|
||||
"The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.",Adgangen til anmodning om tilbud fra portal er deaktiveret. For at give adgang skal du aktivere den i portalindstillinger.,
|
||||
Supplier Quotation {0} Created,Leverandørstilbud {0} Oprettet,
|
||||
Valid till Date cannot be before Transaction Date,Gyldig till-dato kan ikke være før transaktionsdato,
|
||||
Unlink Advance Payment on Cancellation of Order,Fjern link til forskud ved annullering af ordren,
|
||||
"Simple Python Expression, Example: territory != 'All Territories'","Enkel Python-udtryk, Eksempel: territorium! = 'Alle territorier'",
|
||||
Sales Contributions and Incentives,Salgsbidrag og incitamenter,
|
||||
Sourced by Supplier,Oprindelig fra leverandør,
|
||||
Total weightage assigned should be 100%.<br>It is {0},Den samlede tildelte vægt skal være 100%.<br> Det er {0},
|
||||
Account {0} exists in parent company {1}.,Konto {0} findes i moderselskabet {1}.,
|
||||
"To overrule this, enable '{0}' in company {1}",For at tilsidesætte dette skal du aktivere '{0}' i firmaet {1},
|
||||
Invalid condition expression,Ugyldigt udtryk for tilstand,
|
||||
Please Select a Company First,Vælg først et firma,
|
||||
Please Select Both Company and Party Type First,Vælg både firma og festtype først,
|
||||
Provide the invoice portion in percent,Angiv fakturadelen i procent,
|
||||
Give number of days according to prior selection,Angiv antal dage i henhold til forudgående valg,
|
||||
Email Details,E-mail-oplysninger,
|
||||
"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Vælg en hilsen til modtageren. F.eks. Hr., Fru osv.",
|
||||
Preview Email,Eksempel på e-mail,
|
||||
Please select a Supplier,Vælg en leverandør,
|
||||
Supplier Lead Time (days),Leveringstid (dage),
|
||||
"Home, Work, etc.","Hjem, arbejde osv.",
|
||||
Exit Interview Held On,Afslut interview afholdt,
|
||||
Condition and formula,Tilstand og formel,
|
||||
Sets 'Target Warehouse' in each row of the Items table.,Indstiller 'Target Warehouse' i hver række i varetabellen.,
|
||||
Sets 'Source Warehouse' in each row of the Items table.,Indstiller 'Source Warehouse' i hver række i tabellen Items.,
|
||||
POS Register,POS-register,
|
||||
"Can not filter based on POS Profile, if grouped by POS Profile","Kan ikke filtrere baseret på POS-profil, hvis grupperet efter POS-profil",
|
||||
"Can not filter based on Customer, if grouped by Customer","Kan ikke filtrere baseret på kunde, hvis grupperet efter kunde",
|
||||
"Can not filter based on Cashier, if grouped by Cashier","Kan ikke filtrere baseret på kasser, hvis grupperet efter kasser",
|
||||
Payment Method,Betalingsmetode,
|
||||
"Can not filter based on Payment Method, if grouped by Payment Method","Kan ikke filtrere baseret på betalingsmetode, hvis grupperet efter betalingsmetode",
|
||||
Supplier Quotation Comparison,Sammenligning af tilbud fra leverandører,
|
||||
Price per Unit (Stock UOM),Pris pr. Enhed (lager UOM),
|
||||
Group by Supplier,Grupper efter leverandør,
|
||||
Group by Item,Gruppér efter vare,
|
||||
Remember to set {field_label}. It is required by {regulation}.,Husk at indstille {field_label}. Det kræves af {regulering}.,
|
||||
Enrollment Date cannot be before the Start Date of the Academic Year {0},Tilmeldingsdato kan ikke være før startdatoen for det akademiske år {0},
|
||||
Enrollment Date cannot be after the End Date of the Academic Term {0},Tilmeldingsdato kan ikke være efter slutdatoen for den akademiske periode {0},
|
||||
Enrollment Date cannot be before the Start Date of the Academic Term {0},Tilmeldingsdato kan ikke være før startdatoen for den akademiske periode {0},
|
||||
Posting future transactions are not allowed due to Immutable Ledger,Det er ikke tilladt at bogføre fremtidige transaktioner på grund af Immutable Ledger,
|
||||
Future Posting Not Allowed,Fremtidig udstationering ikke tilladt,
|
||||
"To enable Capital Work in Progress Accounting, ","For at aktivere Capital Work in Progress Accounting,",
|
||||
you must select Capital Work in Progress Account in accounts table,du skal vælge Capital Work in Progress konto i kontotabellen,
|
||||
You can also set default CWIP account in Company {},Du kan også indstille CWIP-standardkonto i Company {},
|
||||
The Request for Quotation can be accessed by clicking on the following button,Anmodningen om tilbud kan fås ved at klikke på følgende knap,
|
||||
Regards,Hilsen,
|
||||
Please click on the following button to set your new password,Klik på følgende knap for at indstille din nye adgangskode,
|
||||
Update Password,Opdater adgangskode,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Række nr. {}: Sælgeraten for varen {} er lavere end dens {}. Salg {} skal mindst være {},
|
||||
You can alternatively disable selling price validation in {} to bypass this validation.,Du kan alternativt deaktivere validering af salgspris i {} for at omgå denne validering.,
|
||||
Invalid Selling Price,Ugyldig salgspris,
|
||||
Address needs to be linked to a Company. Please add a row for Company in the Links table.,Adresse skal knyttes til et firma. Tilføj en række for firma i tabellen Links.,
|
||||
Company Not Linked,Virksomhed ikke tilknyttet,
|
||||
Import Chart of Accounts from CSV / Excel files,Importer kontoplan fra CSV / Excel-filer,
|
||||
Completed Qty cannot be greater than 'Qty to Manufacture',Udført antal kan ikke være større end 'Antal til fremstilling',
|
||||
"Row {0}: For Supplier {1}, Email Address is Required to send an email",Række {0}: For leverandør {1} kræves e-mail-adresse for at sende en e-mail,
|
||||
|
Can't render this file because it is too large.
|
@ -13,7 +13,7 @@
|
||||
'Total','Gesamtbetrag',
|
||||
'Update Stock' can not be checked because items are not delivered via {0},"""Lager aktualisieren"" kann nicht ausgewählt werden, da Artikel nicht über {0} geliefert wurden",
|
||||
'Update Stock' cannot be checked for fixed asset sale,Beim Verkauf von Anlagevermögen darf 'Lagerbestand aktualisieren' nicht ausgewählt sein.,
|
||||
) for {0},) para {0},
|
||||
) for {0},) für {0},
|
||||
1 exact match.,1 genaue Übereinstimmung.,
|
||||
90-Above,Über 90,
|
||||
A Customer Group exists with same name please change the Customer name or rename the Customer Group,Eine Kundengruppe mit dem gleichen Namen existiert bereits. Bitte den Kundennamen ändern oder die Kundengruppe umbenennen,
|
||||
@ -496,7 +496,7 @@ Cart,Einkaufswagen,
|
||||
Cart is Empty,Der Warenkorb ist leer,
|
||||
Case No(s) already in use. Try from Case No {0},Fall-Nr. (n) bereits in Verwendung. Versuchen Sie eine Fall-Nr. ab {0},
|
||||
Cash,Bargeld,
|
||||
Cash Flow Statement,Geldflussrechnung,
|
||||
Cash Flow Statement,Kapitalflussrechnung,
|
||||
Cash Flow from Financing,Cashflow aus Finanzierung,
|
||||
Cash Flow from Investing,Cashflow aus Investitionen,
|
||||
Cash Flow from Operations,Cashflow aus Geschäftstätigkeit,
|
||||
@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Kosten für
|
||||
Chargeble,Belastung,
|
||||
Charges are updated in Purchase Receipt against each item,Kosten werden im Kaufbeleg für jede Position aktualisiert,
|
||||
"Charges will be distributed proportionately based on item qty or amount, as per your selection",Die Kosten werden gemäß Ihrer Wahl anteilig verteilt basierend auf Artikelmenge oder -preis,
|
||||
Chart Of Accounts,Kontenplan,
|
||||
Chart of Cost Centers,Kostenstellenplan,
|
||||
Check all,Alle prüfen,
|
||||
Checkout,Kasse,
|
||||
@ -530,7 +529,7 @@ Cheque,Scheck,
|
||||
Cheque/Reference No,Scheck-/ Referenznummer,
|
||||
Cheques Required,Überprüfungen erforderlich,
|
||||
Cheques and Deposits incorrectly cleared,Schecks und Kautionen fälschlicherweise gelöscht,
|
||||
Child Task exists for this Task. You can not delete this Task.,Für diese Aufgabe existiert eine untergeordnete Aufgabe. Sie können diese Aufgabe daher nicht löschen.,
|
||||
Child Task exists for this Task. You can not delete this Task.,Für diesen Vorgang existiert ein untergeordneter Vorgang. Sie können diesen daher nicht löschen.,
|
||||
Child nodes can be only created under 'Group' type nodes,Unterknoten können nur unter Gruppenknoten erstellt werden.,
|
||||
Child warehouse exists for this warehouse. You can not delete this warehouse.,Für dieses Lager existieren untergordnete Lager vorhanden. Sie können dieses Lager daher nicht löschen.,
|
||||
Circular Reference Error,Zirkelschluss-Fehler,
|
||||
@ -539,7 +538,7 @@ City/Town,Ort/ Wohnort,
|
||||
Claimed Amount,Anspruchsbetrag,
|
||||
Clay,Lehm,
|
||||
Clear filters,Filter löschen,
|
||||
Clear values,Klare Werte,
|
||||
Clear values,Werte löschen,
|
||||
Clearance Date,Abrechnungsdatum,
|
||||
Clearance Date not mentioned,Abrechnungsdatum nicht erwähnt,
|
||||
Clearance Date updated,Abrechnungsdatum aktualisiert,
|
||||
@ -581,7 +580,6 @@ Company {0} does not exist,Unternehmen {0} existiert nicht,
|
||||
Compensatory Off,Ausgleich für,
|
||||
Compensatory leave request days not in valid holidays,"Tage des Ausgleichsurlaubs, die nicht in den gültigen Feiertagen sind",
|
||||
Complaint,Beschwerde,
|
||||
Completed Qty can not be greater than 'Qty to Manufacture',"Gefertigte Menge kann nicht größer sein als ""Menge für Herstellung""",
|
||||
Completion Date,Fertigstellungstermin,
|
||||
Computer,Rechner,
|
||||
Condition,Zustand,
|
||||
@ -986,7 +984,7 @@ Exchange Rate must be same as {0} {1} ({2}),Wechselkurs muss derselbe wie {0} {1
|
||||
Excise Invoice,Verbrauch Rechnung,
|
||||
Execution,Ausführung,
|
||||
Executive Search,Direktsuche,
|
||||
Expand All,Alle erweitern,
|
||||
Expand All,Alle ausklappen,
|
||||
Expected Delivery Date,Geplanter Liefertermin,
|
||||
Expected Delivery Date should be after Sales Order Date,Voraussichtlicher Liefertermin sollte nach Kundenauftragsdatum erfolgen,
|
||||
Expected End Date,Voraussichtliches Enddatum,
|
||||
@ -1042,7 +1040,7 @@ Filter Total Zero Qty,Gesamtmenge filtern,
|
||||
Finance Book,Finanzbuch,
|
||||
Financial / accounting year.,Finanz-/Rechnungsjahr,
|
||||
Financial Services,Finanzdienstleistungen,
|
||||
Financial Statements,Jahresabschluss,
|
||||
Financial Statements,Finanzberichte,
|
||||
Financial Year,Geschäftsjahr,
|
||||
Finish,Fertig,
|
||||
Finished Good,Gut beendet,
|
||||
@ -1667,7 +1665,7 @@ New Address,Neue Adresse,
|
||||
New BOM,Neue Stückliste,
|
||||
New Batch ID (Optional),Neue Batch-ID (optional),
|
||||
New Batch Qty,Neue Batch-Menge,
|
||||
New Company,Neues Unternehmen,
|
||||
New Company,Neues Unternehmen anlegen,
|
||||
New Cost Center Name,Neuer Kostenstellenname,
|
||||
New Customer Revenue,Neuer Kundenumsatz,
|
||||
New Customers,neue Kunden,
|
||||
@ -1803,7 +1801,7 @@ Opening Balance Equity,Anfangsstand Eigenkapital,
|
||||
Opening Date and Closing Date should be within same Fiscal Year,Eröffnungsdatum und Abschlussdatum sollten im gleichen Geschäftsjahr sein,
|
||||
Opening Date should be before Closing Date,Eröffnungsdatum sollte vor dem Abschlussdatum liegen,
|
||||
Opening Entry Journal,Eröffnungseintragsjournal,
|
||||
Opening Invoice Creation Tool,Öffnen des Rechnungserstellungswerkzeugs,
|
||||
Opening Invoice Creation Tool,Offene Rechnungen übertragen,
|
||||
Opening Invoice Item,Rechnungsposition öffnen,
|
||||
Opening Invoices,Rechnungen öffnen,
|
||||
Opening Invoices Summary,Rechnungszusammenfassung öffnen,
|
||||
@ -2033,7 +2031,6 @@ Please select Category first,Bitte zuerst Kategorie auswählen,
|
||||
Please select Charge Type first,Bitte zuerst Chargentyp auswählen,
|
||||
Please select Company,Bitte Unternehmen auswählen,
|
||||
Please select Company and Designation,Bitte wählen Sie Unternehmen und Stelle,
|
||||
Please select Company and Party Type first,Bitte zuerst Unternehmen und Gruppentyp auswählen,
|
||||
Please select Company and Posting Date to getting entries,"Bitte wählen Sie Unternehmen und Buchungsdatum, um Einträge zu erhalten",
|
||||
Please select Company first,Bitte zuerst Unternehmen auswählen,
|
||||
Please select Completion Date for Completed Asset Maintenance Log,Bitte wählen Sie Fertigstellungsdatum für das abgeschlossene Wartungsprotokoll für den Vermögenswert,
|
||||
@ -2223,7 +2220,7 @@ Projected,Geplant,
|
||||
Projected Qty,Projizierte Menge,
|
||||
Projected Quantity Formula,Formel für projizierte Menge,
|
||||
Projects,Projekte,
|
||||
Property,Eigentum,
|
||||
Property,Eigenschaft,
|
||||
Property already added,Die Eigenschaft wurde bereits hinzugefügt,
|
||||
Proposal Writing,Verfassen von Angeboten,
|
||||
Proposal/Price Quote,Angebot / Preis Angebot,
|
||||
@ -2536,7 +2533,7 @@ Sales Invoice {0} has already been submitted,Ausgangsrechnung {0} wurde bereits
|
||||
Sales Invoice {0} must be cancelled before cancelling this Sales Order,Ausgangsrechnung {0} muss vor Stornierung dieses Kundenauftrags abgebrochen werden,
|
||||
Sales Manager,Vertriebsleiter,
|
||||
Sales Master Manager,Hauptvertriebsleiter,
|
||||
Sales Order,Kundenauftrag,
|
||||
Sales Order,Auftragsbestätigung,
|
||||
Sales Order Item,Kundenauftrags-Artikel,
|
||||
Sales Order required for Item {0},Kundenauftrag für den Artikel {0} erforderlich,
|
||||
Sales Order to Payment,Vom Kundenauftrag zum Zahlungseinang,
|
||||
@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,"Der Name de
|
||||
The name of your company for which you are setting up this system.,"Firma des Unternehmens, für das dieses System eingerichtet wird.",
|
||||
The number of shares and the share numbers are inconsistent,Die Anzahl der Aktien und die Aktienanzahl sind inkonsistent,
|
||||
The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Das Zahlungsgatewaykonto in Plan {0} unterscheidet sich von dem Zahlungsgatewaykonto in dieser Zahlungsanforderung,
|
||||
The request for quotation can be accessed by clicking on the following link,Die Angebotsanfrage kann durch einen Klick auf den folgenden Link abgerufen werden,
|
||||
The selected BOMs are not for the same item,Die ausgewählten Stücklisten sind nicht für den gleichen Artikel,
|
||||
The selected item cannot have Batch,Der ausgewählte Artikel kann keine Charge haben,
|
||||
The seller and the buyer cannot be the same,Der Verkäufer und der Käufer können nicht identisch sein,
|
||||
@ -3130,7 +3126,6 @@ Total contribution percentage should be equal to 100,Der prozentuale Gesamtbeitr
|
||||
Total flexible benefit component amount {0} should not be less than max benefits {1},Der Gesamtbetrag der flexiblen Leistungskomponente {0} sollte nicht unter dem Höchstbetrag der Leistungen {1} liegen.,
|
||||
Total hours: {0},Stundenzahl: {0},
|
||||
Total leaves allocated is mandatory for Leave Type {0},Die Gesamtzahl der zugewiesenen Blätter ist für Abwesenheitsart {0} erforderlich.,
|
||||
Total weightage assigned should be 100%. It is {0},Summe der zugeordneten Gewichtungen sollte 100% sein. Sie ist {0},
|
||||
Total working hours should not be greater than max working hours {0},Insgesamt Arbeitszeit sollte nicht größer sein als die maximale Arbeitszeit {0},
|
||||
Total {0} ({1}),Insgesamt {0} ({1}),
|
||||
"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Insgesamt {0} für alle Elemente gleich Null ist, sein kann, sollten Sie "Verteilen Gebühren auf der Grundlage" ändern",
|
||||
@ -3544,7 +3539,6 @@ Company GSTIN,Unternehmen GSTIN,
|
||||
Company field is required,Firmenfeld ist erforderlich,
|
||||
Creating Dimensions...,Dimensionen erstellen ...,
|
||||
Duplicate entry against the item code {0} and manufacturer {1},Doppelte Eingabe gegen Artikelcode {0} und Hersteller {1},
|
||||
Import Chart Of Accounts from CSV / Excel files,Kontenplan aus CSV / Excel-Dateien importieren,
|
||||
Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Ungültige GSTIN! Die von Ihnen eingegebene Eingabe stimmt nicht mit dem GSTIN-Format für UIN-Inhaber oder gebietsfremde OIDAR-Dienstanbieter überein,
|
||||
Invoice Grand Total,Rechnungssumme,
|
||||
Last carbon check date cannot be a future date,Das Datum der letzten Kohlenstoffprüfung kann kein zukünftiges Datum sein,
|
||||
@ -3921,7 +3915,6 @@ Plaid authentication error,Plaid-Authentifizierungsfehler,
|
||||
Plaid public token error,Plaid public token error,
|
||||
Plaid transactions sync error,Synchronisierungsfehler für Plaid-Transaktionen,
|
||||
Please check the error log for details about the import errors,Überprüfen Sie das Fehlerprotokoll auf Details zu den Importfehlern,
|
||||
Please click on the following link to set your new password,Bitte auf die folgende Verknüpfung klicken um ein neues Passwort zu setzen,
|
||||
Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Bitte erstellen Sie <b>DATEV-Einstellungen</b> für Firma <b>{}</b> .,
|
||||
Please create adjustment Journal Entry for amount {0} ,Bitte erstellen Sie eine Berichtigung für den Betrag {0}.,
|
||||
Please do not create more than 500 items at a time,Bitte erstellen Sie nicht mehr als 500 Artikel gleichzeitig,
|
||||
@ -3997,6 +3990,7 @@ Refreshing,Aktualisiere,
|
||||
Release date must be in the future,Das Erscheinungsdatum muss in der Zukunft liegen,
|
||||
Relieving Date must be greater than or equal to Date of Joining,Das Ablösungsdatum muss größer oder gleich dem Beitrittsdatum sein,
|
||||
Rename,Umbenennen,
|
||||
Rename Not Allowed,Umbenennen nicht erlaubt,
|
||||
Repayment Method is mandatory for term loans,Die Rückzahlungsmethode ist für befristete Darlehen obligatorisch,
|
||||
Repayment Start Date is mandatory for term loans,Das Startdatum der Rückzahlung ist für befristete Darlehen obligatorisch,
|
||||
Report Item,Artikel melden,
|
||||
@ -4043,7 +4037,6 @@ Search results for,Suchergebnisse für,
|
||||
Select All,Alles auswählen,
|
||||
Select Difference Account,Wählen Sie Differenzkonto,
|
||||
Select a Default Priority.,Wählen Sie eine Standardpriorität.,
|
||||
Select a Supplier from the Default Supplier List of the items below.,Wählen Sie aus der Liste der Standardlieferanten einen Lieferanten aus.,
|
||||
Select a company,Wählen Sie eine Firma aus,
|
||||
Select finance book for the item {0} at row {1},Wählen Sie das Finanzbuch für das Element {0} in Zeile {1} aus.,
|
||||
Select only one Priority as Default.,Wählen Sie nur eine Priorität als Standard aus.,
|
||||
@ -4073,7 +4066,7 @@ Show Stock Ageing Data,Alterungsdaten anzeigen,
|
||||
Show Warehouse-wise Stock,Lagerbestand anzeigen,
|
||||
Size,Größe,
|
||||
Something went wrong while evaluating the quiz.,Bei der Auswertung des Quiz ist ein Fehler aufgetreten.,
|
||||
Sr,Nr,
|
||||
Sr,Pos,
|
||||
Start,Start,
|
||||
Start Date cannot be before the current date,Startdatum darf nicht vor dem aktuellen Datum liegen,
|
||||
Start Time,Startzeit,
|
||||
@ -4209,7 +4202,7 @@ Total Income This Year,Gesamteinkommen in diesem Jahr,
|
||||
Barcode,Barcode,
|
||||
Bold,Fett gedruckt,
|
||||
Center,Zentrieren,
|
||||
Clear,klar,
|
||||
Clear,Löschen,
|
||||
Comment,Kommentar,
|
||||
Comments,Kommentare,
|
||||
DocType,DocType,
|
||||
@ -4247,7 +4240,6 @@ Yes,Ja,
|
||||
Actual ,Tatsächlich,
|
||||
Add to cart,In den Warenkorb legen,
|
||||
Budget,Budget,
|
||||
Chart Of Accounts Importer,Kontenplan-Importeur,
|
||||
Chart of Accounts,Kontenplan,
|
||||
Customer database.,Kundendatenbank.,
|
||||
Days Since Last order,Tage seit dem letzten Auftrag,
|
||||
@ -4546,7 +4538,6 @@ Role that is allowed to submit transactions that exceed credit limits set.,"Roll
|
||||
Check Supplier Invoice Number Uniqueness,"Aktivieren, damit dieselbe Lieferantenrechnungsnummer nur einmal vorkommen kann",
|
||||
Make Payment via Journal Entry,Zahlung über Journaleintrag,
|
||||
Unlink Payment on Cancellation of Invoice,Zahlung bei Stornierung der Rechnung aufheben,
|
||||
Unlink Advance Payment on Cancelation of Order,Verknüpfung der Vorauszahlung bei Stornierung der Bestellung aufheben,
|
||||
Book Asset Depreciation Entry Automatically,Vermögensabschreibung automatisch verbuchen,
|
||||
Automatically Add Taxes and Charges from Item Tax Template,Steuern und Gebühren aus Artikelsteuervorlage automatisch hinzufügen,
|
||||
Automatically Fetch Payment Terms,Zahlungsbedingungen automatisch abrufen,
|
||||
@ -4940,7 +4931,6 @@ Closing Account Head,Bezeichnung des Abschlusskontos,
|
||||
POS Customer Group,POS Kundengruppe,
|
||||
POS Field,POS-Feld,
|
||||
POS Item Group,POS Artikelgruppe,
|
||||
[Select],[Auswählen],
|
||||
Company Address,Anschrift des Unternehmens,
|
||||
Update Stock,Lagerbestand aktualisieren,
|
||||
Ignore Pricing Rule,Preisregel ignorieren,
|
||||
@ -5048,7 +5038,7 @@ Total Taxes and Charges,Gesamte Steuern und Gebühren,
|
||||
Additional Discount,Zusätzlicher Rabatt,
|
||||
Apply Additional Discount On,Zusätzlichen Rabatt gewähren auf,
|
||||
Additional Discount Amount (Company Currency),Zusätzlicher Rabatt (Unternehmenswährung),
|
||||
Additional Discount Percentage,Zusätzlicher Rabattprozentsatz,
|
||||
Additional Discount Percentage,Zusätzlicher Rabatt in Prozent,
|
||||
Additional Discount Amount,Zusätzlicher Rabattbetrag,
|
||||
Grand Total (Company Currency),Gesamtbetrag (Unternehmenswährung),
|
||||
Rounding Adjustment (Company Currency),Rundung (Unternehmenswährung),
|
||||
@ -6481,7 +6471,6 @@ HR-APR-.YY.-.MM.,HR-APR-.YY.-MM.,
|
||||
Appraisal Template,Bewertungsvorlage,
|
||||
For Employee Name,Für Mitarbeiter-Name,
|
||||
Goals,Ziele,
|
||||
Calculate Total Score,Gesamtwertung berechnen,
|
||||
Total Score (Out of 5),Gesamtwertung (max 5),
|
||||
"Any other remarks, noteworthy effort that should go in the records.","Sonstige wichtige Anmerkungen, die in die Datensätze aufgenommen werden sollten.",
|
||||
Appraisal Goal,Bewertungsziel,
|
||||
@ -6599,11 +6588,6 @@ Relieving Date,Freistellungsdatum,
|
||||
Reason for Leaving,Grund für den Austritt,
|
||||
Leave Encashed?,Urlaub eingelöst?,
|
||||
Encashment Date,Inkassodatum,
|
||||
Exit Interview Details,Details zum Austrittsgespräch,
|
||||
Held On,Festgehalten am,
|
||||
Reason for Resignation,Kündigungsgrund,
|
||||
Better Prospects,Bessere Vorhersage,
|
||||
Health Concerns,Gesundheitsfragen,
|
||||
New Workplace,Neuer Arbeitsplatz,
|
||||
HR-EAD-.YYYY.-,HR-EAD-.YYYY.-,
|
||||
Returned Amount,Rückgabebetrag,
|
||||
@ -8239,9 +8223,6 @@ Landed Cost Help,Hilfe zum Einstandpreis,
|
||||
Manufacturers used in Items,Hersteller im Artikel verwendet,
|
||||
Limited to 12 characters,Limitiert auf 12 Zeichen,
|
||||
MAT-MR-.YYYY.-,MAT-MR-.YYYY.-,
|
||||
Set Warehouse,Lager einstellen,
|
||||
Sets 'For Warehouse' in each row of the Items table.,Legt 'Für Lager' in jeder Zeile der Artikeltabelle fest.,
|
||||
Requested For,Angefordert für,
|
||||
Partially Ordered,Teilweise bestellt,
|
||||
Transferred,Übergeben,
|
||||
% Ordered,% bestellt,
|
||||
@ -8690,8 +8671,6 @@ Material Request Warehouse,Materialanforderungslager,
|
||||
Select warehouse for material requests,Wählen Sie Lager für Materialanfragen,
|
||||
Transfer Materials For Warehouse {0},Material für Lager übertragen {0},
|
||||
Production Plan Material Request Warehouse,Produktionsplan Materialanforderungslager,
|
||||
Set From Warehouse,Aus dem Lager einstellen,
|
||||
Source Warehouse (Material Transfer),Quelllager (Materialtransfer),
|
||||
Sets 'Source Warehouse' in each row of the items table.,Legt 'Source Warehouse' in jeder Zeile der Artikeltabelle fest.,
|
||||
Sets 'Target Warehouse' in each row of the items table.,"Füllt das Feld ""Ziel Lager"" in allen Positionen der folgenden Tabelle.",
|
||||
Show Cancelled Entries,Abgebrochene Einträge anzeigen,
|
||||
@ -9157,7 +9136,6 @@ Professional Tax,Berufssteuer,
|
||||
Is Income Tax Component,Ist Einkommensteuerkomponente,
|
||||
Component properties and references ,Komponenteneigenschaften und Referenzen,
|
||||
Additional Salary ,Zusätzliches Gehalt,
|
||||
Condtion and formula,Zustand und Formel,
|
||||
Unmarked days,Nicht markierte Tage,
|
||||
Absent Days,Abwesende Tage,
|
||||
Conditions and Formula variable and example,Bedingungen und Formelvariable und Beispiel,
|
||||
@ -9444,7 +9422,6 @@ Plaid invalid request error,Plaid ungültiger Anforderungsfehler,
|
||||
Please check your Plaid client ID and secret values,Bitte überprüfen Sie Ihre Plaid-Client-ID und Ihre geheimen Werte,
|
||||
Bank transaction creation error,Fehler beim Erstellen der Banküberweisung,
|
||||
Unit of Measurement,Maßeinheit,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Zeile # {}: Die Verkaufsrate für Artikel {} ist niedriger als die {}. Die Verkaufsrate sollte mindestens {} betragen,
|
||||
Fiscal Year {0} Does Not Exist,Geschäftsjahr {0} existiert nicht,
|
||||
Row # {0}: Returned Item {1} does not exist in {2} {3},Zeile # {0}: Zurückgegebenes Element {1} ist in {2} {3} nicht vorhanden,
|
||||
Valuation type charges can not be marked as Inclusive,Bewertungsgebühren können nicht als Inklusiv gekennzeichnet werden,
|
||||
@ -9598,8 +9575,60 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Stellen Sie d
|
||||
Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Die Antwortzeit für die Priorität {0} in Zeile {1} darf nicht größer als die Auflösungszeit sein.,
|
||||
{0} is not enabled in {1},{0} ist in {1} nicht aktiviert,
|
||||
Group by Material Request,Nach Materialanforderung gruppieren,
|
||||
"Row {0}: For Supplier {0}, Email Address is Required to Send Email",Zeile {0}: Für Lieferant {0} ist zum Senden von E-Mails eine E-Mail-Adresse erforderlich,
|
||||
Email Sent to Supplier {0},E-Mail an Lieferanten gesendet {0},
|
||||
"The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","Der Zugriff auf die Angebotsanfrage vom Portal ist deaktiviert. Um den Zugriff zuzulassen, aktivieren Sie ihn in den Portaleinstellungen.",
|
||||
Supplier Quotation {0} Created,Lieferantenangebot {0} Erstellt,
|
||||
Valid till Date cannot be before Transaction Date,Gültig bis Datum kann nicht vor dem Transaktionsdatum liegen,
|
||||
Unlink Advance Payment on Cancellation of Order,Deaktivieren Sie die Vorauszahlung bei Stornierung der Bestellung,
|
||||
"Simple Python Expression, Example: territory != 'All Territories'","Einfacher Python-Ausdruck, Beispiel: Territorium! = 'Alle Territorien'",
|
||||
Sales Contributions and Incentives,Verkaufsbeiträge und Anreize,
|
||||
Sourced by Supplier,Vom Lieferanten bezogen,
|
||||
Total weightage assigned should be 100%.<br>It is {0},Das zugewiesene Gesamtgewicht sollte 100% betragen.<br> Es ist {0},
|
||||
Account {0} exists in parent company {1}.,Konto {0} existiert in der Muttergesellschaft {1}.,
|
||||
"To overrule this, enable '{0}' in company {1}","Um dies zu überschreiben, aktivieren Sie '{0}' in Firma {1}",
|
||||
Invalid condition expression,Ungültiger Bedingungsausdruck,
|
||||
Please Select a Company First,Bitte wählen Sie zuerst eine Firma aus,
|
||||
Please Select Both Company and Party Type First,Bitte wählen Sie zuerst Firmen- und Partytyp aus,
|
||||
Provide the invoice portion in percent,Geben Sie den Rechnungsanteil in Prozent an,
|
||||
Give number of days according to prior selection,Geben Sie die Anzahl der Tage gemäß vorheriger Auswahl an,
|
||||
Email Details,E-Mail-Details,
|
||||
"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Wählen Sie eine Begrüßung für den Empfänger. ZB Herr, Frau usw.",
|
||||
Preview Email,Vorschau E-Mail,
|
||||
Please select a Supplier,Bitte wählen Sie einen Lieferanten aus,
|
||||
Supplier Lead Time (days),Vorlaufzeit des Lieferanten (Tage),
|
||||
"Home, Work, etc.","Zuhause, Arbeit usw.",
|
||||
Exit Interview Held On,Beenden Sie das Interview,
|
||||
Condition and formula,Zustand und Formel,
|
||||
Sets 'Target Warehouse' in each row of the Items table.,Legt 'Ziellager' in jeder Zeile der Elementtabelle fest.,
|
||||
Sets 'Source Warehouse' in each row of the Items table.,Legt 'Source Warehouse' in jeder Zeile der Items-Tabelle fest.,
|
||||
POS Register,POS-Register,
|
||||
"Can not filter based on POS Profile, if grouped by POS Profile","Kann nicht basierend auf dem POS-Profil filtern, wenn nach POS-Profil gruppiert",
|
||||
"Can not filter based on Customer, if grouped by Customer","Kann nicht nach Kunden filtern, wenn nach Kunden gruppiert",
|
||||
"Can not filter based on Cashier, if grouped by Cashier","Kann nicht nach Kassierer filtern, wenn nach Kassierer gruppiert",
|
||||
Payment Method,Zahlungsmethode,
|
||||
"Can not filter based on Payment Method, if grouped by Payment Method","Kann nicht nach Zahlungsmethode filtern, wenn nach Zahlungsmethode gruppiert",
|
||||
Supplier Quotation Comparison,Vergleich der Lieferantenangebote,
|
||||
Price per Unit (Stock UOM),Preis pro Einheit (Lager UOM),
|
||||
Group by Supplier,Nach Lieferanten gruppieren,
|
||||
Group by Item,Nach Artikel gruppieren,
|
||||
Remember to set {field_label}. It is required by {regulation}.,"Denken Sie daran, {field_label} zu setzen. Es wird von {Regulation} verlangt.",
|
||||
Enrollment Date cannot be before the Start Date of the Academic Year {0},Das Einschreibedatum darf nicht vor dem Startdatum des akademischen Jahres liegen {0},
|
||||
Enrollment Date cannot be after the End Date of the Academic Term {0},Das Einschreibungsdatum darf nicht nach dem Enddatum des akademischen Semesters liegen {0},
|
||||
Enrollment Date cannot be before the Start Date of the Academic Term {0},Das Einschreibungsdatum darf nicht vor dem Startdatum des akademischen Semesters liegen {0},
|
||||
Posting future transactions are not allowed due to Immutable Ledger,Das Buchen zukünftiger Transaktionen ist aufgrund des unveränderlichen Hauptbuchs nicht zulässig,
|
||||
Future Posting Not Allowed,Zukünftiges Posten nicht erlaubt,
|
||||
"To enable Capital Work in Progress Accounting, ",So aktivieren Sie die Kapitalabrechnung,
|
||||
you must select Capital Work in Progress Account in accounts table,Sie müssen in der Kontentabelle das Konto "Kapital in Bearbeitung" auswählen,
|
||||
You can also set default CWIP account in Company {},Sie können auch das Standard-CWIP-Konto in Firma {} festlegen,
|
||||
The Request for Quotation can be accessed by clicking on the following button,"Sie können auf die Angebotsanfrage zugreifen, indem Sie auf die folgende Schaltfläche klicken",
|
||||
Regards,Grüße,
|
||||
Please click on the following button to set your new password,"Bitte klicken Sie auf die folgende Schaltfläche, um Ihr neues Passwort festzulegen",
|
||||
Update Password,Passwort erneuern,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Zeile # {}: Die Verkaufsrate für Artikel {} ist niedriger als die {}. Der Verkauf von {} sollte mindestens {} sein,
|
||||
You can alternatively disable selling price validation in {} to bypass this validation.,"Alternativ können Sie die Validierung des Verkaufspreises in {} deaktivieren, um diese Validierung zu umgehen.",
|
||||
Invalid Selling Price,Ungültiger Verkaufspreis,
|
||||
Address needs to be linked to a Company. Please add a row for Company in the Links table.,Die Adresse muss mit einem Unternehmen verknüpft sein. Bitte fügen Sie eine Zeile für Firma in die Tabelle Links ein.,
|
||||
Company Not Linked,Firma nicht verbunden,
|
||||
Import Chart of Accounts from CSV / Excel files,Kontenplan aus CSV / Excel-Dateien importieren,
|
||||
Completed Qty cannot be greater than 'Qty to Manufacture',Die abgeschlossene Menge darf nicht größer sein als die Menge bis zur Herstellung.,
|
||||
"Row {0}: For Supplier {1}, Email Address is Required to send an email","Zeile {0}: Für Lieferant {1} ist eine E-Mail-Adresse erforderlich, um eine E-Mail zu senden",
|
||||
|
Can't render this file because it is too large.
|
@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Η επιβά
|
||||
Chargeble,Χρεώσιμο,
|
||||
Charges are updated in Purchase Receipt against each item,Οι επιβαρύνσεις ενημερώνονται στην απόδειξη αγοράς για κάθε είδος,
|
||||
"Charges will be distributed proportionately based on item qty or amount, as per your selection","Οι επιβαρύνσεις θα κατανεμηθούν αναλογικά, σύμφωνα με την ποσότητα ή το ποσό του είδους, σύμφωνα με την επιλογή σας",
|
||||
Chart Of Accounts,Λογιστικό Σχέδιο,
|
||||
Chart of Cost Centers,Διάγραμμα των κέντρων κόστους,
|
||||
Check all,Ελεγξε τα ολα,
|
||||
Checkout,Αποχώρηση,
|
||||
@ -581,7 +580,6 @@ Company {0} does not exist,Η εταιρεία {0} δεν υπάρχει,
|
||||
Compensatory Off,Αντισταθμιστικά απενεργοποιημένα,
|
||||
Compensatory leave request days not in valid holidays,Οι ημερήσιες αποζημιώσεις αντιστάθμισης δεν ισχύουν σε έγκυρες αργίες,
|
||||
Complaint,Καταγγελία,
|
||||
Completed Qty can not be greater than 'Qty to Manufacture',Η ολοκληρωμένη ποσότητα δεν μπορεί να είναι μεγαλύτερη από την «ποσότητα για κατασκευή»,
|
||||
Completion Date,Ημερομηνία ολοκλήρωσης,
|
||||
Computer,Ηλεκτρονικός υπολογιστής,
|
||||
Condition,Συνθήκη,
|
||||
@ -2033,7 +2031,6 @@ Please select Category first,Παρακαλώ επιλέξτε πρώτα την
|
||||
Please select Charge Type first,Παρακαλώ επιλέξτε πρώτα τύπο επιβάρυνσης,
|
||||
Please select Company,Επιλέξτε Εταιρεία,
|
||||
Please select Company and Designation,Επιλέξτε Εταιρεία και ονομασία,
|
||||
Please select Company and Party Type first,Παρακαλώ επιλέξτε πρώτα εταιρεία και τύπο συμβαλλόμενου,
|
||||
Please select Company and Posting Date to getting entries,Επιλέξτε Εταιρεία και ημερομηνία δημοσίευσης για να λάβετε καταχωρήσεις,
|
||||
Please select Company first,Επιλέξτε την εταιρεία πρώτα,
|
||||
Please select Completion Date for Completed Asset Maintenance Log,Παρακαλούμε επιλέξτε Ημερομηνία ολοκλήρωσης για το αρχείο καταγραφής ολοκλήρωσης περιουσιακών στοιχείων,
|
||||
@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,Το όνο
|
||||
The name of your company for which you are setting up this system.,Το όνομα της εταιρείας σας για την οποία εγκαθιστάτε αυτό το σύστημα.,
|
||||
The number of shares and the share numbers are inconsistent,Ο αριθμός των μετοχών και οι αριθμοί μετοχών είναι ασυμβίβαστοι,
|
||||
The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Ο λογαριασμός πύλης πληρωμής στο πρόγραμμα {0} διαφέρει από τον λογαριασμό της πύλης πληρωμής σε αυτό το αίτημα πληρωμής,
|
||||
The request for quotation can be accessed by clicking on the following link,Το αίτημα για προσφορά μπορεί να προσπελαστεί κάνοντας κλικ στον παρακάτω σύνδεσμο,
|
||||
The selected BOMs are not for the same item,Τα επιλεγμένα BOMs δεν είναι για το ίδιο στοιχείο,
|
||||
The selected item cannot have Batch,Το επιλεγμένο είδος δεν μπορεί να έχει παρτίδα,
|
||||
The seller and the buyer cannot be the same,Ο πωλητής και ο αγοραστής δεν μπορούν να είναι οι ίδιοι,
|
||||
@ -3130,7 +3126,6 @@ Total contribution percentage should be equal to 100,Το συνολικό πο
|
||||
Total flexible benefit component amount {0} should not be less than max benefits {1},Το συνολικό ποσό της ευέλικτης συνιστώσας παροχών {0} δεν πρέπει να είναι μικρότερο από τα μέγιστα οφέλη {1},
|
||||
Total hours: {0},Σύνολο ωρών: {0},
|
||||
Total leaves allocated is mandatory for Leave Type {0},Το σύνολο των κατανεμημένων φύλλων είναι υποχρεωτικό για τον Τύπο Αδείας {0},
|
||||
Total weightage assigned should be 100%. It is {0},Το σύνολο βάρους πού έχει ανατεθεί έπρεπε να είναι 100 %. Είναι {0},
|
||||
Total working hours should not be greater than max working hours {0},Οι συνολικές ώρες εργασίας δεν πρέπει να είναι μεγαλύτερη από το ωράριο εργασίας max {0},
|
||||
Total {0} ({1}),Σύνολο {0} ({1}),
|
||||
"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Σύνολο {0} για όλα τα στοιχεία είναι μηδέν, μπορεί να πρέπει να αλλάξει »Μοιράστε τελών με βάση το '",
|
||||
@ -3544,7 +3539,6 @@ Company GSTIN,Εταιρεία GSTIN,
|
||||
Company field is required,Απαιτείται πεδίο εταιρείας,
|
||||
Creating Dimensions...,Δημιουργία διαστάσεων ...,
|
||||
Duplicate entry against the item code {0} and manufacturer {1},Διπλότυπη καταχώρηση έναντι του κωδικού {0} και του κατασκευαστή {1},
|
||||
Import Chart Of Accounts from CSV / Excel files,Εισαγωγή πίνακα λογαριασμών από αρχεία CSV / Excel,
|
||||
Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Μη έγκυρο GSTIN! Η είσοδος που έχετε εισάγει δεν αντιστοιχεί στη μορφή GSTIN για τους κατόχους UIN ή για τους παροχείς υπηρεσιών OIDAR που δεν είναι κατοίκους,
|
||||
Invoice Grand Total,Συνολικό τιμολόγιο,
|
||||
Last carbon check date cannot be a future date,Η τελευταία ημερομηνία ελέγχου άνθρακα δεν μπορεί να είναι μελλοντική ημερομηνία,
|
||||
@ -3921,7 +3915,6 @@ Plaid authentication error,Έλλειμμα ελέγχου ταυτότητας,
|
||||
Plaid public token error,Σφάλμα κοινόχρηστου συμβόλου,
|
||||
Plaid transactions sync error,Σφάλμα συγχρονισμού πλαστών συναλλαγών,
|
||||
Please check the error log for details about the import errors,Ελέγξτε το αρχείο καταγραφής σφαλμάτων για λεπτομέρειες σχετικά με τα σφάλματα εισαγωγής,
|
||||
Please click on the following link to set your new password,Παρακαλώ κάντε κλικ στον παρακάτω σύνδεσμο για να ορίσετε νέο κωδικό πρόσβασης,
|
||||
Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Δημιουργήστε τις <b>ρυθμίσεις DATEV</b> για την εταιρεία <b>{}</b> .,
|
||||
Please create adjustment Journal Entry for amount {0} ,Δημιουργήστε εγγραφή εγγραφής προσαρμογής για ποσό {0},
|
||||
Please do not create more than 500 items at a time,Μην δημιουργείτε περισσότερα από 500 στοιχεία τη φορά,
|
||||
@ -3997,6 +3990,7 @@ Refreshing,Ανανεώνεται,
|
||||
Release date must be in the future,Η ημερομηνία κυκλοφορίας πρέπει να είναι στο μέλλον,
|
||||
Relieving Date must be greater than or equal to Date of Joining,Η ημερομηνία ανακούφισης πρέπει να είναι μεγαλύτερη ή ίση με την Ημερομηνία Σύνδεσης,
|
||||
Rename,Μετονομασία,
|
||||
Rename Not Allowed,Μετονομασία Δεν επιτρέπεται,
|
||||
Repayment Method is mandatory for term loans,Η μέθοδος αποπληρωμής είναι υποχρεωτική για δάνεια με διάρκεια,
|
||||
Repayment Start Date is mandatory for term loans,Η ημερομηνία έναρξης αποπληρωμής είναι υποχρεωτική για τα δάνεια με διάρκεια,
|
||||
Report Item,Στοιχείο αναφοράς,
|
||||
@ -4043,7 +4037,6 @@ Search results for,Αποτελέσματα αναζήτησης για,
|
||||
Select All,Επιλέξτε All,
|
||||
Select Difference Account,Επιλέξτε Λογαριασμό Διαφοράς,
|
||||
Select a Default Priority.,Επιλέξτε μια προεπιλεγμένη προτεραιότητα.,
|
||||
Select a Supplier from the Default Supplier List of the items below.,Επιλέξτε έναν προμηθευτή από την Προκαθορισμένη λίστα προμηθευτών των παρακάτω στοιχείων.,
|
||||
Select a company,Επιλέξτε μια εταιρεία,
|
||||
Select finance book for the item {0} at row {1},Επιλέξτε βιβλίο χρηματοδότησης για το στοιχείο {0} στη σειρά {1},
|
||||
Select only one Priority as Default.,Επιλέξτε μόνο μία προτεραιότητα ως προεπιλογή.,
|
||||
@ -4247,7 +4240,6 @@ Yes,Ναί,
|
||||
Actual ,Πραγματικός,
|
||||
Add to cart,Προσθήκη στο καλάθι,
|
||||
Budget,Προϋπολογισμός,
|
||||
Chart Of Accounts Importer,Λογαριασμός Εισαγωγέας,
|
||||
Chart of Accounts,Λογιστικό Σχέδιο,
|
||||
Customer database.,Βάση δεδομένων πελατών.,
|
||||
Days Since Last order,Ημέρες από την τελευταία σειρά,
|
||||
@ -4546,7 +4538,6 @@ Role that is allowed to submit transactions that exceed credit limits set.,Ρό
|
||||
Check Supplier Invoice Number Uniqueness,Ελέγξτε Προμηθευτής Αριθμός Τιμολογίου Μοναδικότητα,
|
||||
Make Payment via Journal Entry,Κάντε Πληρωμή μέσω Εφημερίδα Έναρξη,
|
||||
Unlink Payment on Cancellation of Invoice,Αποσύνδεση Πληρωμή κατά την ακύρωσης της Τιμολόγιο,
|
||||
Unlink Advance Payment on Cancelation of Order,Αποσύνδεση της προκαταβολής με την ακύρωση της παραγγελίας,
|
||||
Book Asset Depreciation Entry Automatically,Αποσβέσεις εγγύησης λογαριασμού βιβλίων αυτόματα,
|
||||
Automatically Add Taxes and Charges from Item Tax Template,Αυτόματη προσθήκη φόρων και χρεώσεων από το πρότυπο φόρου αντικειμένων,
|
||||
Automatically Fetch Payment Terms,Αυτόματη εξαγωγή όρων πληρωμής,
|
||||
@ -4940,7 +4931,6 @@ Closing Account Head,Κλείσιμο κύριας εγγραφής λογαρι
|
||||
POS Customer Group,POS Ομάδα Πελατών,
|
||||
POS Field,Πεδίο POS,
|
||||
POS Item Group,POS Θέση του Ομίλου,
|
||||
[Select],[ Επιλέξτε ],
|
||||
Company Address,Διεύθυνση εταιρείας,
|
||||
Update Stock,Ενημέρωση αποθέματος,
|
||||
Ignore Pricing Rule,Αγνοήστε τον κανόνα τιμολόγησης,
|
||||
@ -6481,7 +6471,6 @@ HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM.,
|
||||
Appraisal Template,Πρότυπο αξιολόγησης,
|
||||
For Employee Name,Για το όνομα υπαλλήλου,
|
||||
Goals,Στόχοι,
|
||||
Calculate Total Score,Υπολογισμός συνολικής βαθμολογίας,
|
||||
Total Score (Out of 5),Συνολική βαθμολογία (από 5),
|
||||
"Any other remarks, noteworthy effort that should go in the records.","Οποιεσδήποτε άλλες παρατηρήσεις, αξιοσημείωτη προσπάθεια που πρέπει να πάει στα αρχεία.",
|
||||
Appraisal Goal,Στόχος αξιολόγησης,
|
||||
@ -6599,11 +6588,6 @@ Relieving Date,Ημερομηνία απαλλαγής,
|
||||
Reason for Leaving,Αιτιολογία αποχώρησης,
|
||||
Leave Encashed?,Η άδεια εισπράχθηκε;,
|
||||
Encashment Date,Ημερομηνία εξαργύρωσης,
|
||||
Exit Interview Details,Λεπτομέρειες συνέντευξης εξόδου,
|
||||
Held On,Πραγματοποιήθηκε την,
|
||||
Reason for Resignation,Αιτία παραίτησης,
|
||||
Better Prospects,Καλύτερες προοπτικές,
|
||||
Health Concerns,Ανησυχίες για την υγεία,
|
||||
New Workplace,Νέος χώρος εργασίας,
|
||||
HR-EAD-.YYYY.-,HR-EAD-.YYYY.-,
|
||||
Returned Amount,Επιστρεφόμενο ποσό,
|
||||
@ -8239,9 +8223,6 @@ Landed Cost Help,Βοήθεια κόστους αποστολής εμπορευ
|
||||
Manufacturers used in Items,Κατασκευαστές που χρησιμοποιούνται στα σημεία,
|
||||
Limited to 12 characters,Περιορίζεται σε 12 χαρακτήρες,
|
||||
MAT-MR-.YYYY.-,MAT-MR-.YYYY.-,
|
||||
Set Warehouse,Ορισμός αποθήκης,
|
||||
Sets 'For Warehouse' in each row of the Items table.,Ορίζει «Για αποθήκη» σε κάθε σειρά του πίνακα αντικειμένων.,
|
||||
Requested For,Ζητήθηκαν για,
|
||||
Partially Ordered,Εν μέρει παραγγελία,
|
||||
Transferred,Μεταφέρθηκε,
|
||||
% Ordered,% Παραγγέλθηκαν,
|
||||
@ -8690,8 +8671,6 @@ Material Request Warehouse,Αποθήκη αιτήματος υλικού,
|
||||
Select warehouse for material requests,Επιλέξτε αποθήκη για αιτήματα υλικών,
|
||||
Transfer Materials For Warehouse {0},Μεταφορά υλικών για αποθήκη {0},
|
||||
Production Plan Material Request Warehouse,Πρόγραμμα παραγωγής Υλικό Αίτημα Αποθήκη,
|
||||
Set From Warehouse,Ορισμός από την αποθήκη,
|
||||
Source Warehouse (Material Transfer),Αποθήκη πηγής (μεταφορά υλικού),
|
||||
Sets 'Source Warehouse' in each row of the items table.,Ορίζει το "Source Warehouse" σε κάθε σειρά του πίνακα αντικειμένων.,
|
||||
Sets 'Target Warehouse' in each row of the items table.,Ορίζει το «Target Warehouse» σε κάθε σειρά του πίνακα αντικειμένων.,
|
||||
Show Cancelled Entries,Εμφάνιση ακυρωμένων καταχωρήσεων,
|
||||
@ -9157,7 +9136,6 @@ Professional Tax,Επαγγελματικός φόρος,
|
||||
Is Income Tax Component,Είναι συστατικό φόρου εισοδήματος,
|
||||
Component properties and references ,Ιδιότητες συστατικών και αναφορές,
|
||||
Additional Salary ,Πρόσθετος μισθός,
|
||||
Condtion and formula,Κατάσταση και τύπος,
|
||||
Unmarked days,Ημέρες χωρίς σήμανση,
|
||||
Absent Days,Απόντες ημέρες,
|
||||
Conditions and Formula variable and example,Συνθήκες και μεταβλητή τύπου και παράδειγμα,
|
||||
@ -9444,7 +9422,6 @@ Plaid invalid request error,Μη έγκυρο σφάλμα αιτήματος κ
|
||||
Please check your Plaid client ID and secret values,Ελέγξτε το αναγνωριστικό πελάτη Plaid και τις μυστικές τιμές σας,
|
||||
Bank transaction creation error,Σφάλμα δημιουργίας τραπεζικής συναλλαγής,
|
||||
Unit of Measurement,Μονάδα μέτρησης,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Σειρά # {}: Το ποσοστό πώλησης για το στοιχείο {} είναι χαμηλότερο από το {}. Η τιμή πώλησης πρέπει να είναι τουλάχιστον {},
|
||||
Fiscal Year {0} Does Not Exist,Το οικονομικό έτος {0} δεν υπάρχει,
|
||||
Row # {0}: Returned Item {1} does not exist in {2} {3},Σειρά # {0}: Το στοιχείο που επιστράφηκε {1} δεν υπάρχει στο {2} {3},
|
||||
Valuation type charges can not be marked as Inclusive,Οι χρεώσεις τύπου εκτίμησης δεν μπορούν να επισημανθούν ως Συμπεριλαμβανομένων,
|
||||
@ -9598,8 +9575,60 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Ορίστε
|
||||
Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Ο χρόνος απόκρισης για {0} προτεραιότητα στη σειρά {1} δεν μπορεί να είναι μεγαλύτερος από τον χρόνο ανάλυσης.,
|
||||
{0} is not enabled in {1},Το {0} δεν είναι ενεργοποιημένο σε {1},
|
||||
Group by Material Request,Ομαδοποίηση κατά Αίτημα Υλικού,
|
||||
"Row {0}: For Supplier {0}, Email Address is Required to Send Email","Σειρά {0}: Για τον προμηθευτή {0}, απαιτείται διεύθυνση ηλεκτρονικού ταχυδρομείου για αποστολή email",
|
||||
Email Sent to Supplier {0},Αποστολή email στον προμηθευτή {0},
|
||||
"The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","Η πρόσβαση στο αίτημα για προσφορά από την πύλη είναι απενεργοποιημένη. Για να επιτρέψετε την πρόσβαση, ενεργοποιήστε το στις Ρυθμίσεις πύλης.",
|
||||
Supplier Quotation {0} Created,Προσφορά προμηθευτή {0} Δημιουργήθηκε,
|
||||
Valid till Date cannot be before Transaction Date,Ισχύει έως την ημερομηνία δεν μπορεί να είναι πριν από την ημερομηνία συναλλαγής,
|
||||
Unlink Advance Payment on Cancellation of Order,Αποσύνδεση προκαταβολής για ακύρωση παραγγελίας,
|
||||
"Simple Python Expression, Example: territory != 'All Territories'","Simple Python Expression, Παράδειγμα: wilayah! = 'Όλες οι περιοχές'",
|
||||
Sales Contributions and Incentives,Συνεισφορές και κίνητρα πωλήσεων,
|
||||
Sourced by Supplier,Προέρχεται από τον προμηθευτή,
|
||||
Total weightage assigned should be 100%.<br>It is {0},Το συνολικό βάρος που αποδίδεται πρέπει να είναι 100%.<br> Είναι {0},
|
||||
Account {0} exists in parent company {1}.,Ο λογαριασμός {0} υπάρχει στη μητρική εταιρεία {1}.,
|
||||
"To overrule this, enable '{0}' in company {1}","Για να το παρακάμψετε, ενεργοποιήστε το "{0}" στην εταιρεία {1}",
|
||||
Invalid condition expression,Μη έγκυρη έκφραση συνθήκης,
|
||||
Please Select a Company First,Επιλέξτε πρώτα μια εταιρεία,
|
||||
Please Select Both Company and Party Type First,Επιλέξτε πρώτα την εταιρεία και τον τύπο πάρτι,
|
||||
Provide the invoice portion in percent,Καταχωρίστε το τμήμα τιμολογίου σε ποσοστό,
|
||||
Give number of days according to prior selection,Δώστε τον αριθμό των ημερών σύμφωνα με την προηγούμενη επιλογή,
|
||||
Email Details,Λεπτομέρειες email,
|
||||
"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Επιλέξτε ένα χαιρετισμό για τον παραλήπτη. Π.χ. κύριε, κυρία κ.λπ.",
|
||||
Preview Email,Προεπισκόπηση email,
|
||||
Please select a Supplier,Επιλέξτε έναν προμηθευτή,
|
||||
Supplier Lead Time (days),Χρόνος προμηθευτή (ημέρες),
|
||||
"Home, Work, etc.","Σπίτι, εργασία κ.λπ.",
|
||||
Exit Interview Held On,Έξοδος από τη συνέντευξη,
|
||||
Condition and formula,Κατάσταση και τύπος,
|
||||
Sets 'Target Warehouse' in each row of the Items table.,Ορίζει το «Target Warehouse» σε κάθε σειρά του πίνακα αντικειμένων.,
|
||||
Sets 'Source Warehouse' in each row of the Items table.,Ορίζει το "Source Warehouse" σε κάθε σειρά του πίνακα αντικειμένων.,
|
||||
POS Register,Εγγραφή POS,
|
||||
"Can not filter based on POS Profile, if grouped by POS Profile","Δεν είναι δυνατή η φιλτράρισμα με βάση το προφίλ POS, εάν ομαδοποιούνται βάσει προφίλ POS",
|
||||
"Can not filter based on Customer, if grouped by Customer","Δεν είναι δυνατή η φιλτράρισμα με βάση τον πελάτη, εάν ομαδοποιούνται ανά πελάτη",
|
||||
"Can not filter based on Cashier, if grouped by Cashier","Δεν είναι δυνατή η φιλτράρισμα βάσει Ταμείου, εάν ομαδοποιούνται κατά Ταμείο",
|
||||
Payment Method,Μέθοδος πληρωμής,
|
||||
"Can not filter based on Payment Method, if grouped by Payment Method","Δεν είναι δυνατή η φιλτράρισμα βάσει της μεθόδου πληρωμής, εάν ομαδοποιούνται βάσει της μεθόδου πληρωμής",
|
||||
Supplier Quotation Comparison,Σύγκριση προσφορών προμηθευτή,
|
||||
Price per Unit (Stock UOM),Τιμή ανά μονάδα (απόθεμα UOM),
|
||||
Group by Supplier,Ομαδοποίηση ανά προμηθευτή,
|
||||
Group by Item,Ομαδοποίηση ανά αντικείμενο,
|
||||
Remember to set {field_label}. It is required by {regulation}.,Θυμηθείτε να ορίσετε το {field_label}. Απαιτείται από τον {κανονισμό}.,
|
||||
Enrollment Date cannot be before the Start Date of the Academic Year {0},Η ημερομηνία εγγραφής δεν μπορεί να είναι πριν από την ημερομηνία έναρξης του ακαδημαϊκού έτους {0},
|
||||
Enrollment Date cannot be after the End Date of the Academic Term {0},Η ημερομηνία εγγραφής δεν μπορεί να είναι μετά την ημερομηνία λήξης του ακαδημαϊκού όρου {0},
|
||||
Enrollment Date cannot be before the Start Date of the Academic Term {0},Η ημερομηνία εγγραφής δεν μπορεί να είναι πριν από την ημερομηνία έναρξης του ακαδημαϊκού όρου {0},
|
||||
Posting future transactions are not allowed due to Immutable Ledger,Δεν επιτρέπεται η δημοσίευση μελλοντικών συναλλαγών λόγω του αμετάβλητου καθολικού,
|
||||
Future Posting Not Allowed,Δεν επιτρέπονται μελλοντικές δημοσιεύσεις,
|
||||
"To enable Capital Work in Progress Accounting, ","Για να ενεργοποιήσετε το Capital Work in Progress Accounting,",
|
||||
you must select Capital Work in Progress Account in accounts table,Πρέπει να επιλέξετε τον πίνακα Capital Work in Progress Account στον πίνακα λογαριασμών,
|
||||
You can also set default CWIP account in Company {},Μπορείτε επίσης να ορίσετε προεπιλεγμένο λογαριασμό CWIP στην Εταιρεία {},
|
||||
The Request for Quotation can be accessed by clicking on the following button,Μπορείτε να αποκτήσετε πρόσβαση στην Αίτηση Προσφοράς κάνοντας κλικ στο παρακάτω κουμπί,
|
||||
Regards,Χαιρετισμοί,
|
||||
Please click on the following button to set your new password,Κάντε κλικ στο παρακάτω κουμπί για να ορίσετε τον νέο σας κωδικό πρόσβασης,
|
||||
Update Password,Ενημέρωση κωδικού πρόσβασης,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Σειρά # {}: Το ποσοστό πώλησης για το στοιχείο {} είναι χαμηλότερο από το {}. Η πώληση {} πρέπει να είναι τουλάχιστον {},
|
||||
You can alternatively disable selling price validation in {} to bypass this validation.,"Εναλλακτικά, μπορείτε να απενεργοποιήσετε την επικύρωση τιμής πώλησης στο {} για να παρακάμψετε αυτήν την επικύρωση.",
|
||||
Invalid Selling Price,Μη έγκυρη τιμή πώλησης,
|
||||
Address needs to be linked to a Company. Please add a row for Company in the Links table.,Η διεύθυνση πρέπει να συνδεθεί με μια εταιρεία. Προσθέστε μια σειρά για την εταιρεία στον πίνακα "Σύνδεσμοι".,
|
||||
Company Not Linked,Η εταιρεία δεν είναι συνδεδεμένη,
|
||||
Import Chart of Accounts from CSV / Excel files,Εισαγωγή γραφήματος λογαριασμών από αρχεία CSV / Excel,
|
||||
Completed Qty cannot be greater than 'Qty to Manufacture',Το ολοκληρωμένο Qty δεν μπορεί να είναι μεγαλύτερο από το "Qty to Manufacture",
|
||||
"Row {0}: For Supplier {1}, Email Address is Required to send an email","Σειρά {0}: Για τον προμηθευτή {1}, απαιτείται διεύθυνση ηλεκτρονικού ταχυδρομείου για την αποστολή email",
|
||||
|
Can't render this file because it is too large.
|
@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Cambiar a tip
|
||||
Chargeble,Cobrable,
|
||||
Charges are updated in Purchase Receipt against each item,Los cargos se actualizan en el recibo de compra por cada producto,
|
||||
"Charges will be distributed proportionately based on item qty or amount, as per your selection","Los cargos se distribuirán proporcionalmente basados en la cantidad o importe, según selección",
|
||||
Chart Of Accounts,Plan de cuentas,
|
||||
Chart of Cost Centers,Centros de costos,
|
||||
Check all,Marcar todas,
|
||||
Checkout,Pedido,
|
||||
@ -581,7 +580,6 @@ Company {0} does not exist,Compañía {0} no existe,
|
||||
Compensatory Off,Compensatorio,
|
||||
Compensatory leave request days not in valid holidays,Días de solicitud de permiso compensatorio no en días feriados válidos,
|
||||
Complaint,Queja,
|
||||
Completed Qty can not be greater than 'Qty to Manufacture',La cantidad completada no puede ser mayor que la cantidad a manufacturar.,
|
||||
Completion Date,Fecha de finalización,
|
||||
Computer,Computadora,
|
||||
Condition,Condición,
|
||||
@ -2033,7 +2031,6 @@ Please select Category first,"Por favor, seleccione primero la categoría",
|
||||
Please select Charge Type first,"Por favor, seleccione primero el tipo de cargo",
|
||||
Please select Company,"Por favor, seleccione la empresa",
|
||||
Please select Company and Designation,Seleccione Compañía y Designación,
|
||||
Please select Company and Party Type first,"Por favor, seleccione la compañía y el tipo de entidad",
|
||||
Please select Company and Posting Date to getting entries,Seleccione Empresa y Fecha de publicación para obtener entradas,
|
||||
Please select Company first,"Por favor, seleccione primero la compañía",
|
||||
Please select Completion Date for Completed Asset Maintenance Log,Seleccione Fecha de Finalización para el Registro de Mantenimiento de Activos Completado,
|
||||
@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,El nombre de
|
||||
The name of your company for which you are setting up this system.,Ingrese el nombre de la compañía para configurar el sistema.,
|
||||
The number of shares and the share numbers are inconsistent,El número de acciones y el número de acciones son inconsistentes,
|
||||
The payment gateway account in plan {0} is different from the payment gateway account in this payment request,La cuenta de puerta de enlace de pago en el plan {0} es diferente de la cuenta de puerta de enlace de pago en esta solicitud de pago,
|
||||
The request for quotation can be accessed by clicking on the following link,La solicitud de cotización se puede acceder haciendo clic en el siguiente enlace,
|
||||
The selected BOMs are not for the same item,Las listas de materiales seleccionados no son para el mismo artículo,
|
||||
The selected item cannot have Batch,El producto seleccionado no puede contener lotes,
|
||||
The seller and the buyer cannot be the same,El vendedor y el comprador no pueden ser el mismo,
|
||||
@ -3130,7 +3126,6 @@ Total contribution percentage should be equal to 100,El porcentaje de contribuci
|
||||
Total flexible benefit component amount {0} should not be less than max benefits {1},El monto total del componente de beneficio flexible {0} no debe ser inferior al beneficio máximo {1},
|
||||
Total hours: {0},Horas totales: {0},
|
||||
Total leaves allocated is mandatory for Leave Type {0},Las Licencias totales asignadas son obligatorias para el Tipo de Licencia {0},
|
||||
Total weightage assigned should be 100%. It is {0},Peso total asignado debe ser de 100 %. Es {0},
|
||||
Total working hours should not be greater than max working hours {0},Total de horas de trabajo no deben ser mayores que las horas de trabajo max {0},
|
||||
Total {0} ({1}),Total {0} ({1}),
|
||||
"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Total de {0} para todos los elementos es cero, puede ser que usted debe cambiar en "Distribuir los cargos basados en '",
|
||||
@ -3544,7 +3539,6 @@ Company GSTIN,GSTIN de la Compañía,
|
||||
Company field is required,Campo de la empresa es obligatorio,
|
||||
Creating Dimensions...,Creando Dimensiones ...,
|
||||
Duplicate entry against the item code {0} and manufacturer {1},Entrada duplicada contra el código de artículo {0} y el fabricante {1},
|
||||
Import Chart Of Accounts from CSV / Excel files,Importar plan de cuentas de archivos CSV / Excel,
|
||||
Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTIN inválido! La entrada que ingresó no coincide con el formato GSTIN para titulares de UIN o proveedores de servicios OIDAR no residentes,
|
||||
Invoice Grand Total,Factura Gran Total,
|
||||
Last carbon check date cannot be a future date,La última fecha de verificación de carbono no puede ser una fecha futura,
|
||||
@ -3921,7 +3915,6 @@ Plaid authentication error,Error de autenticación a cuadros,
|
||||
Plaid public token error,Error de token público a cuadros,
|
||||
Plaid transactions sync error,Error de sincronización de transacciones a cuadros,
|
||||
Please check the error log for details about the import errors,Consulte el registro de errores para obtener detalles sobre los errores de importación.,
|
||||
Please click on the following link to set your new password,"Por favor, haga clic en el siguiente enlace para configurar su nueva contraseña",
|
||||
Please create <b>DATEV Settings</b> for Company <b>{}</b>.,<b>Cree la configuración de DATEV</b> para la empresa <b>{}</b> .,
|
||||
Please create adjustment Journal Entry for amount {0} ,Cree una entrada de diario de ajuste para la cantidad {0},
|
||||
Please do not create more than 500 items at a time,No cree más de 500 artículos a la vez.,
|
||||
@ -3997,6 +3990,7 @@ Refreshing,Actualizando,
|
||||
Release date must be in the future,La fecha de lanzamiento debe ser en el futuro,
|
||||
Relieving Date must be greater than or equal to Date of Joining,La fecha de liberación debe ser mayor o igual que la fecha de incorporación,
|
||||
Rename,Renombrar,
|
||||
Rename Not Allowed,Cambiar nombre no permitido,
|
||||
Repayment Method is mandatory for term loans,El método de reembolso es obligatorio para préstamos a plazo,
|
||||
Repayment Start Date is mandatory for term loans,La fecha de inicio de reembolso es obligatoria para préstamos a plazo,
|
||||
Report Item,Reportar articulo,
|
||||
@ -4033,7 +4027,7 @@ Rows Added in {0},Filas agregadas en {0},
|
||||
Rows Removed in {0},Filas eliminadas en {0},
|
||||
Sanctioned Amount limit crossed for {0} {1},Límite de cantidad sancionado cruzado por {0} {1},
|
||||
Sanctioned Loan Amount already exists for {0} against company {1},El monto del préstamo sancionado ya existe para {0} contra la compañía {1},
|
||||
Save,Guardar,
|
||||
Save,Speichern,
|
||||
Save Item,Guardar artículo,
|
||||
Saved Items,Artículos guardados,
|
||||
Search Items ...,Buscar artículos ...,
|
||||
@ -4043,7 +4037,6 @@ Search results for,Resultados de la búsqueda para,
|
||||
Select All,Seleccionar todo,
|
||||
Select Difference Account,Seleccionar cuenta de diferencia,
|
||||
Select a Default Priority.,Seleccione una prioridad predeterminada.,
|
||||
Select a Supplier from the Default Supplier List of the items below.,Seleccione un proveedor de la lista de proveedores predeterminados de los siguientes artículos.,
|
||||
Select a company,Selecciona una empresa,
|
||||
Select finance book for the item {0} at row {1},Seleccione el libro de finanzas para el artículo {0} en la fila {1},
|
||||
Select only one Priority as Default.,Seleccione solo una prioridad como predeterminada.,
|
||||
@ -4247,7 +4240,6 @@ Yes,si,
|
||||
Actual ,Actual,
|
||||
Add to cart,Añadir a la Cesta,
|
||||
Budget,Presupuesto,
|
||||
Chart Of Accounts Importer,Importador de plan de cuentas,
|
||||
Chart of Accounts,Catálogo de cuentas,
|
||||
Customer database.,Base de datos de cliente.,
|
||||
Days Since Last order,Días desde la última orden,
|
||||
@ -4546,7 +4538,6 @@ Role that is allowed to submit transactions that exceed credit limits set.,Rol a
|
||||
Check Supplier Invoice Number Uniqueness,Comprobar número de factura único por proveedor,
|
||||
Make Payment via Journal Entry,Hace el pago vía entrada de diario,
|
||||
Unlink Payment on Cancellation of Invoice,Desvinculación de Pago en la cancelación de la factura,
|
||||
Unlink Advance Payment on Cancelation of Order,Desvincular pago anticipado por cancelación de pedido,
|
||||
Book Asset Depreciation Entry Automatically,Entrada de depreciación de activos de libro de forma automática,
|
||||
Automatically Add Taxes and Charges from Item Tax Template,Agregar automáticamente impuestos y cargos de la plantilla de impuestos de artículos,
|
||||
Automatically Fetch Payment Terms,Obtener automáticamente las condiciones de pago,
|
||||
@ -4940,7 +4931,6 @@ Closing Account Head,Cuenta principal de cierre,
|
||||
POS Customer Group,POS Grupo de Clientes,
|
||||
POS Field,Campo POS,
|
||||
POS Item Group,POS Grupo de artículos,
|
||||
[Select],[Seleccionar],
|
||||
Company Address,Dirección de la Compañía,
|
||||
Update Stock,Actualizar el Inventario,
|
||||
Ignore Pricing Rule,Ignorar la Regla Precios,
|
||||
@ -6481,7 +6471,6 @@ HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM.,
|
||||
Appraisal Template,Plantilla de evaluación,
|
||||
For Employee Name,Por nombre de empleado,
|
||||
Goals,Objetivos,
|
||||
Calculate Total Score,Calcular puntaje total,
|
||||
Total Score (Out of 5),Puntaje Total (de 5),
|
||||
"Any other remarks, noteworthy effort that should go in the records.","Otras observaciones, que deben ir en los registros.",
|
||||
Appraisal Goal,Meta de evaluación,
|
||||
@ -6599,11 +6588,6 @@ Relieving Date,Fecha de relevo,
|
||||
Reason for Leaving,Razones de renuncia,
|
||||
Leave Encashed?,Vacaciones pagadas?,
|
||||
Encashment Date,Fecha de Cobro,
|
||||
Exit Interview Details,Detalles de Entrevista de Salida,
|
||||
Held On,Retenida en,
|
||||
Reason for Resignation,Motivo de la renuncia,
|
||||
Better Prospects,Mejores Prospectos,
|
||||
Health Concerns,Problemas de salud,
|
||||
New Workplace,Nuevo lugar de trabajo,
|
||||
HR-EAD-.YYYY.-,HR-EAD-.YYYY.-,
|
||||
Returned Amount,Cantidad devuelta,
|
||||
@ -8239,9 +8223,6 @@ Landed Cost Help,Ayuda para costos de destino estimados,
|
||||
Manufacturers used in Items,Fabricantes utilizados en artículos,
|
||||
Limited to 12 characters,Limitado a 12 caracteres,
|
||||
MAT-MR-.YYYY.-,MAT-MR-.YYYY.-,
|
||||
Set Warehouse,Establecer almacén,
|
||||
Sets 'For Warehouse' in each row of the Items table.,Establece 'Para almacén' en cada fila de la tabla Artículos.,
|
||||
Requested For,Solicitado por,
|
||||
Partially Ordered,Parcialmente ordenado,
|
||||
Transferred,Transferido,
|
||||
% Ordered,% Ordenado,
|
||||
@ -8690,8 +8671,6 @@ Material Request Warehouse,Almacén de solicitud de material,
|
||||
Select warehouse for material requests,Seleccionar almacén para solicitudes de material,
|
||||
Transfer Materials For Warehouse {0},Transferir materiales para almacén {0},
|
||||
Production Plan Material Request Warehouse,Almacén de solicitud de material de plan de producción,
|
||||
Set From Warehouse,Establecer desde almacén,
|
||||
Source Warehouse (Material Transfer),Almacén de origen (transferencia de material),
|
||||
Sets 'Source Warehouse' in each row of the items table.,Establece 'Almacén de origen' en cada fila de la tabla de artículos.,
|
||||
Sets 'Target Warehouse' in each row of the items table.,Establece 'Almacén de destino' en cada fila de la tabla de artículos.,
|
||||
Show Cancelled Entries,Mostrar entradas canceladas,
|
||||
@ -9157,7 +9136,6 @@ Professional Tax,Impuesto profesional,
|
||||
Is Income Tax Component,Es el componente del impuesto sobre la renta,
|
||||
Component properties and references ,Propiedades y referencias de componentes,
|
||||
Additional Salary ,Salario adicional,
|
||||
Condtion and formula,Condición y fórmula,
|
||||
Unmarked days,Días sin marcar,
|
||||
Absent Days,Días ausentes,
|
||||
Conditions and Formula variable and example,Condiciones y variable de fórmula y ejemplo,
|
||||
@ -9444,7 +9422,6 @@ Plaid invalid request error,Error de solicitud de tela escocesa no válida,
|
||||
Please check your Plaid client ID and secret values,Verifique su ID de cliente de Plaid y sus valores secretos,
|
||||
Bank transaction creation error,Error de creación de transacción bancaria,
|
||||
Unit of Measurement,Unidad de medida,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Fila # {}: la tasa de venta del artículo {} es menor que su {}. La tasa de venta debe ser al menos {},
|
||||
Fiscal Year {0} Does Not Exist,El año fiscal {0} no existe,
|
||||
Row # {0}: Returned Item {1} does not exist in {2} {3},Fila n.º {0}: el artículo devuelto {1} no existe en {2} {3},
|
||||
Valuation type charges can not be marked as Inclusive,Los cargos por tipo de valoración no se pueden marcar como inclusivos,
|
||||
@ -9598,8 +9575,60 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Establezca el
|
||||
Response Time for {0} priority in row {1} can't be greater than Resolution Time.,El tiempo de respuesta para la {0} prioridad en la fila {1} no puede ser mayor que el tiempo de resolución.,
|
||||
{0} is not enabled in {1},{0} no está habilitado en {1},
|
||||
Group by Material Request,Agrupar por solicitud de material,
|
||||
"Row {0}: For Supplier {0}, Email Address is Required to Send Email","Fila {0}: para el proveedor {0}, se requiere la dirección de correo electrónico para enviar correo electrónico",
|
||||
Email Sent to Supplier {0},Correo electrónico enviado al proveedor {0},
|
||||
"The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","El acceso a la solicitud de cotización del portal está deshabilitado. Para permitir el acceso, habilítelo en la configuración del portal.",
|
||||
Supplier Quotation {0} Created,Cotización de proveedor {0} creada,
|
||||
Valid till Date cannot be before Transaction Date,La fecha válida hasta la fecha no puede ser anterior a la fecha de la transacción,
|
||||
Unlink Advance Payment on Cancellation of Order,Desvincular el pago por adelantado en la cancelación de un pedido,
|
||||
"Simple Python Expression, Example: territory != 'All Territories'","Expresión simple de Python, ejemplo: territorio! = 'Todos los territorios'",
|
||||
Sales Contributions and Incentives,Contribuciones e incentivos de ventas,
|
||||
Sourced by Supplier,Obtenido por proveedor,
|
||||
Total weightage assigned should be 100%.<br>It is {0},El peso total asignado debe ser del 100%.<br> Es {0},
|
||||
Account {0} exists in parent company {1}.,La cuenta {0} existe en la empresa matriz {1}.,
|
||||
"To overrule this, enable '{0}' in company {1}","Para anular esto, habilite "{0}" en la empresa {1}",
|
||||
Invalid condition expression,Expresión de condición no válida,
|
||||
Please Select a Company First,Primero seleccione una empresa,
|
||||
Please Select Both Company and Party Type First,Primero seleccione tanto la empresa como el tipo de partido,
|
||||
Provide the invoice portion in percent,Proporcione la parte de la factura en porcentaje,
|
||||
Give number of days according to prior selection,Dar número de días según selección previa,
|
||||
Email Details,Detalles de correo electrónico,
|
||||
"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Seleccione un saludo para el receptor. Por ejemplo, Sr., Sra., Etc.",
|
||||
Preview Email,Vista previa del correo electrónico,
|
||||
Please select a Supplier,Seleccione un proveedor,
|
||||
Supplier Lead Time (days),Plazo de ejecución del proveedor (días),
|
||||
"Home, Work, etc.","Hogar, trabajo, etc.",
|
||||
Exit Interview Held On,Entrevista de salida retenida,
|
||||
Condition and formula,Condición y fórmula,
|
||||
Sets 'Target Warehouse' in each row of the Items table.,Establece 'Almacén de destino' en cada fila de la tabla Artículos.,
|
||||
Sets 'Source Warehouse' in each row of the Items table.,Establece 'Almacén de origen' en cada fila de la tabla Artículos.,
|
||||
POS Register,Registro POS,
|
||||
"Can not filter based on POS Profile, if grouped by POS Profile","No se puede filtrar según el perfil de POS, si está agrupado por perfil de POS",
|
||||
"Can not filter based on Customer, if grouped by Customer","No se puede filtrar según el Cliente, si está agrupado por Cliente",
|
||||
"Can not filter based on Cashier, if grouped by Cashier","No se puede filtrar según el cajero, si está agrupado por cajero",
|
||||
Payment Method,Método de pago,
|
||||
"Can not filter based on Payment Method, if grouped by Payment Method","No se puede filtrar según el método de pago, si está agrupado por método de pago",
|
||||
Supplier Quotation Comparison,Comparación de cotizaciones de proveedores,
|
||||
Price per Unit (Stock UOM),Precio por unidad (UOM de stock),
|
||||
Group by Supplier,Agrupar por proveedor,
|
||||
Group by Item,Agrupar por artículo,
|
||||
Remember to set {field_label}. It is required by {regulation}.,Recuerde configurar {field_label}. Es requerido por {regulación}.,
|
||||
Enrollment Date cannot be before the Start Date of the Academic Year {0},La fecha de inscripción no puede ser anterior a la fecha de inicio del año académico {0},
|
||||
Enrollment Date cannot be after the End Date of the Academic Term {0},La fecha de inscripción no puede ser posterior a la fecha de finalización del período académico {0},
|
||||
Enrollment Date cannot be before the Start Date of the Academic Term {0},La fecha de inscripción no puede ser anterior a la fecha de inicio del período académico {0},
|
||||
Posting future transactions are not allowed due to Immutable Ledger,No se permite la contabilización de transacciones futuras debido al libro mayor inmutable,
|
||||
Future Posting Not Allowed,Publicaciones futuras no permitidas,
|
||||
"To enable Capital Work in Progress Accounting, ","Para habilitar la contabilidad del trabajo de capital en curso,",
|
||||
you must select Capital Work in Progress Account in accounts table,debe seleccionar Cuenta Capital Work in Progress en la tabla de cuentas,
|
||||
You can also set default CWIP account in Company {},También puede configurar una cuenta CWIP predeterminada en la empresa {},
|
||||
The Request for Quotation can be accessed by clicking on the following button,Se puede acceder a la Solicitud de Cotización haciendo clic en el siguiente botón,
|
||||
Regards,Saludos,
|
||||
Please click on the following button to set your new password,Haga clic en el siguiente botón para establecer su nueva contraseña,
|
||||
Update Password,Actualiza contraseña,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Fila # {}: la tasa de venta del artículo {} es menor que su {}. La venta {} debe ser al menos {},
|
||||
You can alternatively disable selling price validation in {} to bypass this validation.,"Alternativamente, puede deshabilitar la validación del precio de venta en {} para omitir esta validación.",
|
||||
Invalid Selling Price,Precio de venta no válido,
|
||||
Address needs to be linked to a Company. Please add a row for Company in the Links table.,La dirección debe estar vinculada a una empresa. Agregue una fila para Compañía en la tabla Vínculos.,
|
||||
Company Not Linked,Empresa no vinculada,
|
||||
Import Chart of Accounts from CSV / Excel files,Importar plan de cuentas desde archivos CSV / Excel,
|
||||
Completed Qty cannot be greater than 'Qty to Manufacture',La cantidad completa no puede ser mayor que la 'Cantidad para fabricar',
|
||||
"Row {0}: For Supplier {1}, Email Address is Required to send an email","Fila {0}: para el proveedor {1}, se requiere la dirección de correo electrónico para enviar un correo electrónico.",
|
||||
|
Can't render this file because it is too large.
|
@ -1,4 +1,3 @@
|
||||
Chart Of Accounts,Plan de Cuentas,
|
||||
Item,Producto,
|
||||
Lead Time Days,Tiempo de ejecución en días,
|
||||
Outstanding,Pendiente,
|
||||
|
|
@ -67,7 +67,6 @@ Case No(s) already in use. Try from Case No {0},Nº de caso ya en uso. Intente N
|
||||
Cash In Hand,Efectivo Disponible,
|
||||
City/Town,Ciudad/Provincia,
|
||||
Commission on Sales,Comisión de Ventas,
|
||||
Completed Qty can not be greater than 'Qty to Manufacture',La cantidad completada no puede ser mayor que la cantidad a producir,
|
||||
Confirmed orders from Customers.,Pedidos en firme de los clientes.,
|
||||
Consumed Amount,Cantidad Consumida,
|
||||
Contact Details,Datos del Contacto,
|
||||
@ -728,7 +727,6 @@ Health Details,Detalles de la Salud,
|
||||
"Here you can maintain height, weight, allergies, medical concerns etc","Aquí usted puede mantener la altura , el peso, alergias , problemas médicos , etc",
|
||||
Educational Qualification,Capacitación Académica,
|
||||
Leave Encashed?,Vacaciones Descansadas?,
|
||||
Health Concerns,Preocupaciones de salud,
|
||||
School/University,Escuela / Universidad,
|
||||
Under Graduate,Bajo Graduación,
|
||||
Year of Passing,Año de Fallecimiento,
|
||||
@ -938,7 +936,6 @@ Table for Item that will be shown in Web Site,Tabla de Artículo que se muestra
|
||||
Purchase Receipt Item,Recibo de Compra del Artículo,
|
||||
Purchase Receipt Items,Artículos de Recibo de Compra,
|
||||
Get Items From Purchase Receipts,Obtener los elementos desde Recibos de Compra,
|
||||
Requested For,Solicitados para,
|
||||
% Ordered,% Pedido,
|
||||
Terms and Conditions Content,Términos y Condiciones Contenido,
|
||||
Lead Time Date,Fecha y Hora de la Iniciativa,
|
||||
|
|
@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Laadige tüü
|
||||
Chargeble,Tasuline,
|
||||
Charges are updated in Purchase Receipt against each item,Maksud uuendatakse ostutšekk iga punkti,
|
||||
"Charges will be distributed proportionately based on item qty or amount, as per your selection","Maksud jagatakse proportsionaalselt aluseks on elemendi Kogus või summa, ühe oma valikut",
|
||||
Chart Of Accounts,Kontoplaan,
|
||||
Chart of Cost Centers,Graafik kulukeskuste,
|
||||
Check all,Vaata kõiki,
|
||||
Checkout,Minu tellimused,
|
||||
@ -581,7 +580,6 @@ Company {0} does not exist,Ettevõte {0} ei ole olemas,
|
||||
Compensatory Off,Tasandusintress Off,
|
||||
Compensatory leave request days not in valid holidays,Hüvitisepuhkuse taotluste päevad pole kehtivate pühade ajal,
|
||||
Complaint,Kaebus,
|
||||
Completed Qty can not be greater than 'Qty to Manufacture',Valminud Kogus ei saa olla suurem kui "Kogus et Tootmine",
|
||||
Completion Date,Lõppkuupäev,
|
||||
Computer,Arvuti,
|
||||
Condition,Seisund,
|
||||
@ -2033,7 +2031,6 @@ Please select Category first,Palun valige kategooria esimene,
|
||||
Please select Charge Type first,Palun valige Charge Type esimene,
|
||||
Please select Company,Palun valige Company,
|
||||
Please select Company and Designation,Palun vali ettevõte ja nimetus,
|
||||
Please select Company and Party Type first,Palun valige Company Pidu ja Type esimene,
|
||||
Please select Company and Posting Date to getting entries,Kirjete saamiseks valige ettevõtte ja postitamise kuupäev,
|
||||
Please select Company first,Palun valige Company esimene,
|
||||
Please select Completion Date for Completed Asset Maintenance Log,Palun vali lõpetatud varade hoolduse logi täitmise kuupäev,
|
||||
@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,"Nimi instit
|
||||
The name of your company for which you are setting up this system.,"Nimi oma firma jaoks, millele te Selle süsteemi rajamisel.",
|
||||
The number of shares and the share numbers are inconsistent,Aktsiate arv ja aktsiate arv on ebajärjekindlad,
|
||||
The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Kava {0} maksejuhtseade erineb selle maksetaotluses olevast maksejõu kontolt,
|
||||
The request for quotation can be accessed by clicking on the following link,Taotluse tsitaat pääseb klõpsates järgmist linki,
|
||||
The selected BOMs are not for the same item,Valitud BOMs ei ole sama objekti,
|
||||
The selected item cannot have Batch,Valitud parameetrit ei ole partii,
|
||||
The seller and the buyer cannot be the same,Müüja ja ostja ei saa olla sama,
|
||||
@ -3130,7 +3126,6 @@ Total contribution percentage should be equal to 100,Sissemaksete protsent peaks
|
||||
Total flexible benefit component amount {0} should not be less than max benefits {1},Paindliku hüvitise komponendi summa {0} ei tohiks olla väiksem kui maksimaalne kasu {1},
|
||||
Total hours: {0},Kursuse maht: {0},
|
||||
Total leaves allocated is mandatory for Leave Type {0},Lehtede kogusumma on kohustuslik väljumiseks Tüüp {0},
|
||||
Total weightage assigned should be 100%. It is {0},Kokku weightage määratud peaks olema 100%. On {0},
|
||||
Total working hours should not be greater than max working hours {0},Kokku tööaeg ei tohi olla suurem kui max tööaeg {0},
|
||||
Total {0} ({1}),Kokku {0} ({1}),
|
||||
"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Kokku {0} kõik elemendid on null, võib olla sa peaksid muutma "Hajuta põhinevad maksud"",
|
||||
@ -3544,7 +3539,6 @@ Company GSTIN,firma GSTIN,
|
||||
Company field is required,Ettevõtte väli on kohustuslik,
|
||||
Creating Dimensions...,Mõõtmete loomine ...,
|
||||
Duplicate entry against the item code {0} and manufacturer {1},Tootekoodi {0} ja tootja {1} koopia,
|
||||
Import Chart Of Accounts from CSV / Excel files,Kontograafiku importimine CSV / Exceli failidest,
|
||||
Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Kehtetu GSTIN! Teie sisestatud sisend ei vasta UIN-i omanike või mitteresidentide OIDAR-teenuse pakkujate GSTIN-vormingule,
|
||||
Invoice Grand Total,Arve suur kokku,
|
||||
Last carbon check date cannot be a future date,Viimane süsiniku kontrollimise kuupäev ei saa olla tulevane kuupäev,
|
||||
@ -3921,7 +3915,6 @@ Plaid authentication error,Ruuduline autentimisviga,
|
||||
Plaid public token error,Avalik sümboolne viga,
|
||||
Plaid transactions sync error,Tavalise tehingu sünkroonimisviga,
|
||||
Please check the error log for details about the import errors,Importimisvigade üksikasjade kohta kontrollige vealogi,
|
||||
Please click on the following link to set your new password,Palun kliki järgmist linki seada oma uus parool,
|
||||
Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Palun looge ettevõtte <b>{}</b> jaoks <b>DATEV-i seaded</b> .,
|
||||
Please create adjustment Journal Entry for amount {0} ,Palun loo korrigeeriv ajakirja kanne summa {0} jaoks,
|
||||
Please do not create more than 500 items at a time,Ärge looge rohkem kui 500 eset korraga,
|
||||
@ -3997,6 +3990,7 @@ Refreshing,Värskendav,
|
||||
Release date must be in the future,Väljalaskekuupäev peab olema tulevikus,
|
||||
Relieving Date must be greater than or equal to Date of Joining,Vabastamiskuupäev peab olema liitumiskuupäevast suurem või sellega võrdne,
|
||||
Rename,Nimeta,
|
||||
Rename Not Allowed,Ümbernimetamine pole lubatud,
|
||||
Repayment Method is mandatory for term loans,Tagasimakseviis on tähtajaliste laenude puhul kohustuslik,
|
||||
Repayment Start Date is mandatory for term loans,Tagasimakse alguskuupäev on tähtajaliste laenude puhul kohustuslik,
|
||||
Report Item,Aruande üksus,
|
||||
@ -4043,7 +4037,6 @@ Search results for,Otsi tulemusi,
|
||||
Select All,Vali kõik,
|
||||
Select Difference Account,Valige Erinevuste konto,
|
||||
Select a Default Priority.,Valige vaikimisi prioriteet.,
|
||||
Select a Supplier from the Default Supplier List of the items below.,Valige allolevate üksuste vaiktarnijate loendist tarnija.,
|
||||
Select a company,Valige ettevõte,
|
||||
Select finance book for the item {0} at row {1},Valige real {1} kirje {0} finantseerimisraamat,
|
||||
Select only one Priority as Default.,Valige vaikimisi ainult üks prioriteet.,
|
||||
@ -4247,7 +4240,6 @@ Yes,Jah,
|
||||
Actual ,Tegelik,
|
||||
Add to cart,Lisa ostukorvi,
|
||||
Budget,Eelarve,
|
||||
Chart Of Accounts Importer,Kontoplaani importija,
|
||||
Chart of Accounts,Kontode kaart,
|
||||
Customer database.,Kliendiandmebaas.,
|
||||
Days Since Last order,Päeva eelmisest Telli,
|
||||
@ -4546,7 +4538,6 @@ Role that is allowed to submit transactions that exceed credit limits set.,"Roll
|
||||
Check Supplier Invoice Number Uniqueness,Vaata Tarnija Arve number Uniqueness,
|
||||
Make Payment via Journal Entry,Tee makse kaudu päevikusissekanne,
|
||||
Unlink Payment on Cancellation of Invoice,Lingi eemaldada Makse tühistamine Arve,
|
||||
Unlink Advance Payment on Cancelation of Order,Vabastage ettemakse link tellimuse tühistamise korral,
|
||||
Book Asset Depreciation Entry Automatically,Broneeri Asset amortisatsioon Entry automaatselt,
|
||||
Automatically Add Taxes and Charges from Item Tax Template,Lisage maksud ja lõivud automaatselt üksuse maksumallilt,
|
||||
Automatically Fetch Payment Terms,Maksetingimuste automaatne toomine,
|
||||
@ -4940,7 +4931,6 @@ Closing Account Head,Konto sulgemise Head,
|
||||
POS Customer Group,POS Kliendi Group,
|
||||
POS Field,POS-väli,
|
||||
POS Item Group,POS Artikliklasside,
|
||||
[Select],[Vali],
|
||||
Company Address,ettevõtte aadress,
|
||||
Update Stock,Värskenda Stock,
|
||||
Ignore Pricing Rule,Ignoreeri Hinnakujundus reegel,
|
||||
@ -6481,7 +6471,6 @@ HR-APR-.YY.-.MM.,HR-APR-.YY.-M.M.,
|
||||
Appraisal Template,Hinnang Mall,
|
||||
For Employee Name,Töötajate Nimi,
|
||||
Goals,Eesmärgid,
|
||||
Calculate Total Score,Arvuta üldskoor,
|
||||
Total Score (Out of 5),Üldskoor (Out of 5),
|
||||
"Any other remarks, noteworthy effort that should go in the records.","Muid märkusi, tähelepanuväärne jõupingutusi, et peaks minema arvestust.",
|
||||
Appraisal Goal,Hinnang Goal,
|
||||
@ -6599,11 +6588,6 @@ Relieving Date,Leevendab kuupäev,
|
||||
Reason for Leaving,Põhjus lahkumiseks,
|
||||
Leave Encashed?,Jäta realiseeritakse?,
|
||||
Encashment Date,Inkassatsioon kuupäev,
|
||||
Exit Interview Details,Exit Intervjuu Üksikasjad,
|
||||
Held On,Toimunud,
|
||||
Reason for Resignation,Lahkumise põhjuseks,
|
||||
Better Prospects,Paremad väljavaated,
|
||||
Health Concerns,Terviseprobleemid,
|
||||
New Workplace,New Töökoht,
|
||||
HR-EAD-.YYYY.-,HR-EAD-.YYYY.-,
|
||||
Returned Amount,Tagastatud summa,
|
||||
@ -8239,9 +8223,6 @@ Landed Cost Help,Maandus Cost Abi,
|
||||
Manufacturers used in Items,Tootjad kasutada Esemed,
|
||||
Limited to 12 characters,Üksnes 12 tähemärki,
|
||||
MAT-MR-.YYYY.-,MAT-MR-.YYYY.-,
|
||||
Set Warehouse,Määra ladu,
|
||||
Sets 'For Warehouse' in each row of the Items table.,Määrab tabeli Üksused igale reale „For Warehouse”.,
|
||||
Requested For,Taotletakse,
|
||||
Partially Ordered,Osaliselt tellitud,
|
||||
Transferred,üle,
|
||||
% Ordered,% Tellitud,
|
||||
@ -8690,8 +8671,6 @@ Material Request Warehouse,Materiaalsete taotluste ladu,
|
||||
Select warehouse for material requests,Materjalitaotluste jaoks valige ladu,
|
||||
Transfer Materials For Warehouse {0},Lao materjalide edastamine {0},
|
||||
Production Plan Material Request Warehouse,Tootmiskava materjalitaotluse ladu,
|
||||
Set From Warehouse,Komplekt laost,
|
||||
Source Warehouse (Material Transfer),Allika ladu (materjaliülekanne),
|
||||
Sets 'Source Warehouse' in each row of the items table.,Määrab üksuste tabeli igale reale 'Allika ladu'.,
|
||||
Sets 'Target Warehouse' in each row of the items table.,Määrab üksuste tabeli igale reale 'Sihtlao'.,
|
||||
Show Cancelled Entries,Kuva tühistatud kirjed,
|
||||
@ -9157,7 +9136,6 @@ Professional Tax,Professionaalne maks,
|
||||
Is Income Tax Component,Kas tulumaksu komponent,
|
||||
Component properties and references ,Komponendi omadused ja viited,
|
||||
Additional Salary ,Lisapalk,
|
||||
Condtion and formula,Tingimus ja valem,
|
||||
Unmarked days,Märgistamata päevad,
|
||||
Absent Days,Puuduvad päevad,
|
||||
Conditions and Formula variable and example,Tingimused ja valemi muutuja ning näide,
|
||||
@ -9444,7 +9422,6 @@ Plaid invalid request error,Plaid kehtetu taotluse viga,
|
||||
Please check your Plaid client ID and secret values,Kontrollige oma Plaid-kliendi ID-d ja salajasi väärtusi,
|
||||
Bank transaction creation error,Pangatehingute loomise viga,
|
||||
Unit of Measurement,Mõõtühik,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Rida nr {}: üksuse {} müügimäär on madalam kui selle {}. Müügimäär peaks olema vähemalt {},
|
||||
Fiscal Year {0} Does Not Exist,Eelarveaasta {0} puudub,
|
||||
Row # {0}: Returned Item {1} does not exist in {2} {3},Rida nr {0}: tagastatud üksust {1} pole piirkonnas {2} {3},
|
||||
Valuation type charges can not be marked as Inclusive,Hindamistüübi tasusid ei saa märkida kaasavateks,
|
||||
@ -9598,8 +9575,60 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Määrake pri
|
||||
Response Time for {0} priority in row {1} can't be greater than Resolution Time.,{0} Rea {1} prioriteedi reageerimisaeg ei tohi olla pikem kui eraldusvõime aeg.,
|
||||
{0} is not enabled in {1},{0} pole piirkonnas {1} lubatud,
|
||||
Group by Material Request,Rühmitage materjalitaotluse järgi,
|
||||
"Row {0}: For Supplier {0}, Email Address is Required to Send Email",Rida {0}: tarnija {0} jaoks on e-posti saatmiseks vaja e-posti aadressi,
|
||||
Email Sent to Supplier {0},Tarnijale saadetud e-post {0},
|
||||
"The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.",Juurdepääs portaali hinnapakkumistele on keelatud. Juurdepääsu lubamiseks lubage see portaali seadetes.,
|
||||
Supplier Quotation {0} Created,Tarnija pakkumine {0} loodud,
|
||||
Valid till Date cannot be before Transaction Date,Kehtiv kuupäev ei saa olla enne tehingu kuupäeva,
|
||||
Unlink Advance Payment on Cancellation of Order,Tühistage ettemakse tellimuse tühistamisel,
|
||||
"Simple Python Expression, Example: territory != 'All Territories'","Lihtne Pythoni väljend, näide: territoorium! = 'Kõik territooriumid'",
|
||||
Sales Contributions and Incentives,Müügimaksed ja stiimulid,
|
||||
Sourced by Supplier,Hankinud tarnija,
|
||||
Total weightage assigned should be 100%.<br>It is {0},Määratud kogukaal peaks olema 100%.<br> See on {0},
|
||||
Account {0} exists in parent company {1}.,Konto {0} on emaettevõttes {1}.,
|
||||
"To overrule this, enable '{0}' in company {1}",Selle tühistamiseks lubage ettevõttes „{0}” {1},
|
||||
Invalid condition expression,Vale tingimuse avaldis,
|
||||
Please Select a Company First,Valige kõigepealt ettevõte,
|
||||
Please Select Both Company and Party Type First,Palun valige kõigepealt nii ettevõtte kui ka peo tüüp,
|
||||
Provide the invoice portion in percent,Esitage arve osa protsentides,
|
||||
Give number of days according to prior selection,Esitage päevade arv vastavalt eelnevale valikule,
|
||||
Email Details,E-posti üksikasjad,
|
||||
"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Valige vastuvõtjale tervitus. Nt härra, proua jne.",
|
||||
Preview Email,E-posti eelvaade,
|
||||
Please select a Supplier,Valige tarnija,
|
||||
Supplier Lead Time (days),Tarnija tarneaeg (päevades),
|
||||
"Home, Work, etc.","Kodu, töökoht jne.",
|
||||
Exit Interview Held On,Väljumisintervjuu on pooleli,
|
||||
Condition and formula,Seisund ja valem,
|
||||
Sets 'Target Warehouse' in each row of the Items table.,Määrab tabeli Üksused igale reale 'Sihtlao'.,
|
||||
Sets 'Source Warehouse' in each row of the Items table.,Määrab tabeli Üksused igale reale 'Allika ladu'.,
|
||||
POS Register,POSide register,
|
||||
"Can not filter based on POS Profile, if grouped by POS Profile",POS-profiili järgi ei saa filtreerida POS-profiili järgi,
|
||||
"Can not filter based on Customer, if grouped by Customer","Kliendi järgi ei saa filtreerida, kui see on rühmitatud kliendi järgi",
|
||||
"Can not filter based on Cashier, if grouped by Cashier",Kasseri järgi ei saa filtreerida kassapõhiselt,
|
||||
Payment Method,Makseviis,
|
||||
"Can not filter based on Payment Method, if grouped by Payment Method","Makseviisi järgi ei saa filtreerida, kui see on rühmitatud makseviisi järgi",
|
||||
Supplier Quotation Comparison,Tarnijate pakkumiste võrdlus,
|
||||
Price per Unit (Stock UOM),Ühiku hind (varu UOM),
|
||||
Group by Supplier,Rühmitage tarnija järgi,
|
||||
Group by Item,Rühmitage üksuste kaupa,
|
||||
Remember to set {field_label}. It is required by {regulation}.,Ärge unustage määrata {field_label}. Seda nõuab {määrus}.,
|
||||
Enrollment Date cannot be before the Start Date of the Academic Year {0},Registreerumise kuupäev ei tohi olla varasem kui õppeaasta alguskuupäev {0},
|
||||
Enrollment Date cannot be after the End Date of the Academic Term {0},Registreerumise kuupäev ei tohi olla akadeemilise tähtaja lõppkuupäevast {0},
|
||||
Enrollment Date cannot be before the Start Date of the Academic Term {0},Registreerumise kuupäev ei tohi olla varasem kui akadeemilise termini alguskuupäev {0},
|
||||
Posting future transactions are not allowed due to Immutable Ledger,Tulevaste tehingute postitamine pole lubatud muutumatu pearaamatu tõttu,
|
||||
Future Posting Not Allowed,Tulevane postitamine pole lubatud,
|
||||
"To enable Capital Work in Progress Accounting, ",Kapitalitöö jätkamise raamatupidamise lubamiseks,
|
||||
you must select Capital Work in Progress Account in accounts table,kontode tabelis peate valima Töötlemata konto,
|
||||
You can also set default CWIP account in Company {},CWIP-i vaikekonto saate määrata ka ettevõttes {},
|
||||
The Request for Quotation can be accessed by clicking on the following button,Hinnapakkumisele pääsete juurde klõpsates järgmist nuppu,
|
||||
Regards,Tervitades,
|
||||
Please click on the following button to set your new password,Uue parooli määramiseks klõpsake järgmisel nupul,
|
||||
Update Password,Parooli värskendamine,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Rida nr {}: üksuse {} müügimäär on madalam kui selle {}. Müük {} peaks olema vähemalt {},
|
||||
You can alternatively disable selling price validation in {} to bypass this validation.,Selle valideerimise vältimiseks võite müügihindade valideerimise keelata asukohas {}.,
|
||||
Invalid Selling Price,Vale müügihind,
|
||||
Address needs to be linked to a Company. Please add a row for Company in the Links table.,Aadress tuleb ettevõttega linkida. Lisage tabelisse Lingid ettevõtte rida.,
|
||||
Company Not Linked,Ettevõte pole lingitud,
|
||||
Import Chart of Accounts from CSV / Excel files,Kontoplaani import CSV / Exceli failidest,
|
||||
Completed Qty cannot be greater than 'Qty to Manufacture',Täidetud kogus ei tohi olla suurem kui „tootmise kogus”,
|
||||
"Row {0}: For Supplier {1}, Email Address is Required to send an email",Rida {0}: tarnija {1} jaoks on meili saatmiseks vaja e-posti aadressi,
|
||||
|
Can't render this file because it is too large.
|
@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,شارژ از
|
||||
Chargeble,شارژ,
|
||||
Charges are updated in Purchase Receipt against each item,اتهامات در رسید خرید بر علیه هر یک از آیتم به روز شده,
|
||||
"Charges will be distributed proportionately based on item qty or amount, as per your selection",اتهامات خواهد شد توزیع متناسب در تعداد آیتم یا مقدار بر اساس، به عنوان در هر انتخاب شما,
|
||||
Chart Of Accounts,ساختار حسابها,
|
||||
Chart of Cost Centers,نمودار مراکز هزینه,
|
||||
Check all,بررسی همه,
|
||||
Checkout,وارسی,
|
||||
@ -581,7 +580,6 @@ Company {0} does not exist,شرکت {0} وجود ندارد,
|
||||
Compensatory Off,جبرانی فعال,
|
||||
Compensatory leave request days not in valid holidays,درخواست روز بازپرداخت جبران خسارت در تعطیلات معتبر,
|
||||
Complaint,شکایت,
|
||||
Completed Qty can not be greater than 'Qty to Manufacture',تکمیل تعداد نمی تواند بیشتر از 'تعداد برای تولید',
|
||||
Completion Date,تاریخ تکمیل,
|
||||
Computer,کامپیوتر,
|
||||
Condition,شرط,
|
||||
@ -2033,7 +2031,6 @@ Please select Category first,لطفا ابتدا دسته را انتخاب کن
|
||||
Please select Charge Type first,لطفا ابتدا شارژ نوع را انتخاب کنید,
|
||||
Please select Company,لطفا انتخاب کنید شرکت,
|
||||
Please select Company and Designation,لطفا شرکت و تعیین را انتخاب کنید,
|
||||
Please select Company and Party Type first,لطفا ابتدا شرکت و حزب نوع را انتخاب کنید,
|
||||
Please select Company and Posting Date to getting entries,لطفا شرکت و تاریخ ارسال را برای گرفتن نوشته انتخاب کنید,
|
||||
Please select Company first,لطفا ابتدا شرکت را انتخاب کنید,
|
||||
Please select Completion Date for Completed Asset Maintenance Log,لطفا تاریخ تکمیل را برای ورود به سیستم نگهداری دارایی تکمیل کنید,
|
||||
@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,نام ای
|
||||
The name of your company for which you are setting up this system.,نام شرکت خود را که برای آن شما راه اندازی این سیستم.,
|
||||
The number of shares and the share numbers are inconsistent,تعداد سهام و شماره سهم ناسازگار است,
|
||||
The payment gateway account in plan {0} is different from the payment gateway account in this payment request,حساب دروازه پرداخت در برنامه {0} متفاوت از حساب دروازه پرداخت در این درخواست پرداخت است,
|
||||
The request for quotation can be accessed by clicking on the following link,درخواست برای نقل قول می توان با کلیک بر روی لینک زیر قابل دسترسی,
|
||||
The selected BOMs are not for the same item,BOM ها انتخاب شده برای آیتم یکسان نیست,
|
||||
The selected item cannot have Batch,آیتم انتخاب شده می تواند دسته ای ندارد,
|
||||
The seller and the buyer cannot be the same,فروشنده و خریدار نمیتوانند یکسان باشند,
|
||||
@ -3130,7 +3126,6 @@ Total contribution percentage should be equal to 100,کل درصد سهم بای
|
||||
Total flexible benefit component amount {0} should not be less than max benefits {1},مقدار کامپوننت منعطف انعطاف پذیر {0} نباید کمتر از مزایای حداکثر باشد {1},
|
||||
Total hours: {0},کل ساعت: {0},
|
||||
Total leaves allocated is mandatory for Leave Type {0},مجموع برگ ها اختصاص داده شده برای نوع ترک {0} اجباری است,
|
||||
Total weightage assigned should be 100%. It is {0},بین وزنها مجموع اختصاص داده باید 100٪ باشد. این {0},
|
||||
Total working hours should not be greater than max working hours {0},کل ساعات کار نباید از ساعات کار حداکثر است بیشتر {0},
|
||||
Total {0} ({1}),مجموع {0} ({1}),
|
||||
"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'",مجموع {0} برای همه موارد صفر است، ممکن است شما باید 'اتهامات بر اساس توزیع را تغییر,
|
||||
@ -3544,7 +3539,6 @@ Company GSTIN,شرکت GSTIN,
|
||||
Company field is required,زمینه شرکت مورد نیاز است,
|
||||
Creating Dimensions...,ایجاد ابعاد ...,
|
||||
Duplicate entry against the item code {0} and manufacturer {1},ورودی کپی شده در برابر کد مورد {0} و سازنده {1},
|
||||
Import Chart Of Accounts from CSV / Excel files,وارد کردن نمودار حساب از پرونده های CSV / Excel,
|
||||
Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTIN نامعتبر است! ورودی که وارد کردید با قالب GSTIN برای دارندگان UIN یا ارائه دهندگان خدمات OIDAR غیر مقیم مطابقت ندارد,
|
||||
Invoice Grand Total,تعداد کل فاکتور,
|
||||
Last carbon check date cannot be a future date,تاریخ آخرین بررسی کربن نمی تواند یک تاریخ آینده باشد,
|
||||
@ -3921,7 +3915,6 @@ Plaid authentication error,خطای تأیید اعتبار,
|
||||
Plaid public token error,خطای نشانه عمومی,
|
||||
Plaid transactions sync error,خطای همگام سازی معاملات کار شده,
|
||||
Please check the error log for details about the import errors,لطفاً جزئیات مربوط به خطاهای واردات را وارد کنید,
|
||||
Please click on the following link to set your new password,لطفا بر روی لینک زیر کلیک کنید برای تنظیم کلمه عبور جدید خود را,
|
||||
Please create <b>DATEV Settings</b> for Company <b>{}</b>.,لطفا ایجاد <b>DATEV تنظیمات</b> برای شرکت <b>{}.</b>,
|
||||
Please create adjustment Journal Entry for amount {0} ,لطفاً مبلغ ورود مجله تنظیم را برای مبلغ {0} ایجاد کنید,
|
||||
Please do not create more than 500 items at a time,لطفاً بیش از 500 مورد را همزمان ایجاد نکنید,
|
||||
@ -3997,6 +3990,7 @@ Refreshing,تازه کردن,
|
||||
Release date must be in the future,تاریخ انتشار باید در آینده باشد,
|
||||
Relieving Date must be greater than or equal to Date of Joining,Relieve Date باید بیشتر یا مساوی تاریخ عضویت باشد,
|
||||
Rename,تغییر نام,
|
||||
Rename Not Allowed,تغییر نام مجاز نیست,
|
||||
Repayment Method is mandatory for term loans,روش بازپرداخت برای وام های کوتاه مدت الزامی است,
|
||||
Repayment Start Date is mandatory for term loans,تاریخ شروع بازپرداخت برای وام های کوتاه مدت الزامی است,
|
||||
Report Item,گزارش مورد,
|
||||
@ -4043,7 +4037,6 @@ Search results for,نتایج جستجو برای,
|
||||
Select All,انتخاب همه,
|
||||
Select Difference Account,حساب کاربری تفاوت را انتخاب کنید,
|
||||
Select a Default Priority.,اولویت پیش فرض را انتخاب کنید.,
|
||||
Select a Supplier from the Default Supplier List of the items below.,تأمین کننده را از لیست پیش فرض تهیه کننده موارد زیر انتخاب کنید.,
|
||||
Select a company,شرکتی را انتخاب کنید,
|
||||
Select finance book for the item {0} at row {1},کتاب مالی را برای کالا {0} در ردیف {1 Select انتخاب کنید,
|
||||
Select only one Priority as Default.,فقط یک اولویت را به عنوان پیش فرض انتخاب کنید.,
|
||||
@ -4247,7 +4240,6 @@ Yes,بله,
|
||||
Actual ,واقعی,
|
||||
Add to cart,اضافه کردن به سبد,
|
||||
Budget,بودجه,
|
||||
Chart Of Accounts Importer,وارد کننده نمودار,
|
||||
Chart of Accounts,نمودار حساب,
|
||||
Customer database.,پایگاه داده مشتری.,
|
||||
Days Since Last order,روز پس از آخرین سفارش,
|
||||
@ -4546,7 +4538,6 @@ Role that is allowed to submit transactions that exceed credit limits set.,نق
|
||||
Check Supplier Invoice Number Uniqueness,بررسی تولید کننده فاکتور شماره منحصر به فرد,
|
||||
Make Payment via Journal Entry,پرداخت از طریق ورود مجله,
|
||||
Unlink Payment on Cancellation of Invoice,قطع ارتباط پرداخت در لغو فاکتور,
|
||||
Unlink Advance Payment on Cancelation of Order,پیوند پیش پرداخت را با لغو سفارش لغو پیوند دهید,
|
||||
Book Asset Depreciation Entry Automatically,کتاب دارایی ورودی استهلاک به صورت خودکار,
|
||||
Automatically Add Taxes and Charges from Item Tax Template,به طور خودکار مالیات و عوارض را از الگوی مالیات مورد اضافه کنید,
|
||||
Automatically Fetch Payment Terms,شرایط پرداخت به صورت خودکار را اخذ کنید,
|
||||
@ -4940,7 +4931,6 @@ Closing Account Head,بستن سر حساب,
|
||||
POS Customer Group,POS و ضوابط گروه,
|
||||
POS Field,زمینه POS,
|
||||
POS Item Group,POS مورد گروه,
|
||||
[Select],[انتخاب],
|
||||
Company Address,آدرس شرکت,
|
||||
Update Stock,به روز رسانی سهام,
|
||||
Ignore Pricing Rule,نادیده گرفتن قانون قیمت گذاری,
|
||||
@ -6481,7 +6471,6 @@ HR-APR-.YY.-.MM.,HR-APR--YY.-MM.,
|
||||
Appraisal Template,ارزیابی الگو,
|
||||
For Employee Name,نام کارمند,
|
||||
Goals,اهداف,
|
||||
Calculate Total Score,محاسبه مجموع امتیاز,
|
||||
Total Score (Out of 5),نمره کل (از 5),
|
||||
"Any other remarks, noteworthy effort that should go in the records.",هر گونه اظهارات دیگر، تلاش قابل توجه است که باید در پرونده بروید.,
|
||||
Appraisal Goal,ارزیابی هدف,
|
||||
@ -6599,11 +6588,6 @@ Relieving Date,تسکین عضویت,
|
||||
Reason for Leaving,دلیلی برای ترک,
|
||||
Leave Encashed?,ترک نقد شدنی؟,
|
||||
Encashment Date,Encashment عضویت,
|
||||
Exit Interview Details,جزییات خروج مصاحبه,
|
||||
Held On,برگزار,
|
||||
Reason for Resignation,دلیل استعفای,
|
||||
Better Prospects,چشم انداز بهتر,
|
||||
Health Concerns,نگرانی های بهداشتی,
|
||||
New Workplace,جدید محل کار,
|
||||
HR-EAD-.YYYY.-,HR-EAD- .YYYY.-,
|
||||
Returned Amount,مقدار برگشت داده شد,
|
||||
@ -8239,9 +8223,6 @@ Landed Cost Help,فرود هزینه راهنما,
|
||||
Manufacturers used in Items,تولید کنندگان مورد استفاده در موارد,
|
||||
Limited to 12 characters,محدود به 12 کاراکتر,
|
||||
MAT-MR-.YYYY.-,MAT-MR- .YYYY.-,
|
||||
Set Warehouse,انبار را تنظیم کنید,
|
||||
Sets 'For Warehouse' in each row of the Items table.,مجموعه "برای انبار" را در هر ردیف از جدول موارد قرار می دهد.,
|
||||
Requested For,درخواست برای,
|
||||
Partially Ordered,تا حدی سفارش داده شده است,
|
||||
Transferred,منتقل شده,
|
||||
% Ordered,مرتب٪,
|
||||
@ -8690,8 +8671,6 @@ Material Request Warehouse,انبار درخواست مواد,
|
||||
Select warehouse for material requests,انبار را برای درخواست های مواد انتخاب کنید,
|
||||
Transfer Materials For Warehouse {0},انتقال مواد برای انبار {0},
|
||||
Production Plan Material Request Warehouse,طرح تولید انبار درخواست مواد,
|
||||
Set From Warehouse,تنظیم از انبار,
|
||||
Source Warehouse (Material Transfer),انبار منبع (انتقال مواد),
|
||||
Sets 'Source Warehouse' in each row of the items table.,"انبار منبع" را در هر ردیف از جدول موارد تنظیم می کند.,
|
||||
Sets 'Target Warehouse' in each row of the items table.,"Target Warehouse" را در هر ردیف از جدول موارد تنظیم می کند.,
|
||||
Show Cancelled Entries,نمایش مطالب لغو شده,
|
||||
@ -9157,7 +9136,6 @@ Professional Tax,مالیات حرفه ای,
|
||||
Is Income Tax Component,آیا م Taxلفه مالیات بر درآمد است,
|
||||
Component properties and references ,خصوصیات و منابع ملفه,
|
||||
Additional Salary ,حقوق اضافی,
|
||||
Condtion and formula,شرط و فرمول,
|
||||
Unmarked days,روزهای بدون علامت,
|
||||
Absent Days,روزهای غایب,
|
||||
Conditions and Formula variable and example,شرایط و متغیر فرمول و مثال,
|
||||
@ -9444,7 +9422,6 @@ Plaid invalid request error,خطای درخواست نامعتبر شطرنجی,
|
||||
Please check your Plaid client ID and secret values,لطفاً شناسه مشتری Plaid و مقادیر محرمانه خود را بررسی کنید,
|
||||
Bank transaction creation error,خطای ایجاد تراکنش بانکی,
|
||||
Unit of Measurement,واحد اندازه گیری,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},ردیف شماره {}: نرخ فروش مورد {} کمتر از {} آن است. نرخ فروش باید حداقل باشد {},
|
||||
Fiscal Year {0} Does Not Exist,سال مالی {0} وجود ندارد,
|
||||
Row # {0}: Returned Item {1} does not exist in {2} {3},ردیف شماره {0}: مورد برگشت داده شده {1} در {2} {3} وجود ندارد,
|
||||
Valuation type charges can not be marked as Inclusive,هزینه های نوع ارزیابی را نمی توان به عنوان فراگیر علامت گذاری کرد,
|
||||
@ -9598,8 +9575,60 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,زمان پا
|
||||
Response Time for {0} priority in row {1} can't be greater than Resolution Time.,زمان پاسخ برای {0} اولویت در ردیف {1} نمی تواند بیشتر از زمان وضوح باشد.,
|
||||
{0} is not enabled in {1},{0} در {1} فعال نیست,
|
||||
Group by Material Request,گروه بندی براساس درخواست مواد,
|
||||
"Row {0}: For Supplier {0}, Email Address is Required to Send Email",ردیف {0}: برای تأمین کننده {0} ، آدرس ایمیل برای ارسال ایمیل لازم است,
|
||||
Email Sent to Supplier {0},ایمیل به تأمین کننده ارسال شد {0},
|
||||
"The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.",دسترسی به درخواست قیمت از پورتال غیرفعال است. برای اجازه دسترسی ، آن را در تنظیمات پورتال فعال کنید.,
|
||||
Supplier Quotation {0} Created,قیمت عرضه کننده {0} ایجاد شد,
|
||||
Valid till Date cannot be before Transaction Date,معتبر تا تاریخ نمی تواند قبل از تاریخ معامله باشد,
|
||||
Unlink Advance Payment on Cancellation of Order,پیش پرداخت لغو سفارش را لغو پیوند کنید,
|
||||
"Simple Python Expression, Example: territory != 'All Territories'",بیان ساده پایتون ، مثال: Territory! = 'All Territories',
|
||||
Sales Contributions and Incentives,مشارکت ها و مشوق های فروش,
|
||||
Sourced by Supplier,منبع تأمین کننده,
|
||||
Total weightage assigned should be 100%.<br>It is {0},وزن کل اختصاص داده شده باید 100٪ باشد.<br> این {0} است,
|
||||
Account {0} exists in parent company {1}.,حساب {0} در شرکت مادر وجود دارد {1}.,
|
||||
"To overrule this, enable '{0}' in company {1}",برای کنار گذاشتن این مورد ، "{0}" را در شرکت {1} فعال کنید,
|
||||
Invalid condition expression,بیان شرط نامعتبر است,
|
||||
Please Select a Company First,لطفاً ابتدا یک شرکت را انتخاب کنید,
|
||||
Please Select Both Company and Party Type First,لطفا ابتدا هر دو نوع شرکت و مهمانی را انتخاب کنید,
|
||||
Provide the invoice portion in percent,قسمت فاکتور را به درصد ارائه دهید,
|
||||
Give number of days according to prior selection,با توجه به انتخاب قبلی ، تعداد روزها را بدهید,
|
||||
Email Details,جزئیات ایمیل,
|
||||
"Select a greeting for the receiver. E.g. Mr., Ms., etc.",یک تبریک برای گیرنده انتخاب کنید. مثلاً آقا ، خانم و غیره,
|
||||
Preview Email,پیش نمایش ایمیل,
|
||||
Please select a Supplier,لطفاً یک تامین کننده انتخاب کنید,
|
||||
Supplier Lead Time (days),زمان سرب تامین کننده (روزها),
|
||||
"Home, Work, etc.",خانه ، محل کار و غیره,
|
||||
Exit Interview Held On,مصاحبه خارج شد,
|
||||
Condition and formula,شرایط و فرمول,
|
||||
Sets 'Target Warehouse' in each row of the Items table.,"Target Warehouse" را در هر ردیف از جدول آیتم ها تنظیم می کند.,
|
||||
Sets 'Source Warehouse' in each row of the Items table.,"منبع انبار" را در هر ردیف از جدول آیتم ها تنظیم می کند.,
|
||||
POS Register,ثبت نام POS,
|
||||
"Can not filter based on POS Profile, if grouped by POS Profile",اگر براساس نمایه POS دسته بندی شود ، نمی توان براساس نمایه POS فیلتر کرد,
|
||||
"Can not filter based on Customer, if grouped by Customer",اگر براساس مشتری گروه بندی شده باشد ، نمی توان براساس مشتری فیلتر کرد,
|
||||
"Can not filter based on Cashier, if grouped by Cashier",اگر براساس صندوقدار دسته بندی شود نمی توان براساس صندوقدار فیلتر کرد,
|
||||
Payment Method,روش پرداخت,
|
||||
"Can not filter based on Payment Method, if grouped by Payment Method",اگر براساس روش پرداخت دسته بندی شود ، نمی توان براساس روش پرداخت فیلتر کرد,
|
||||
Supplier Quotation Comparison,مقایسه قیمت فروشنده,
|
||||
Price per Unit (Stock UOM),قیمت هر واحد (سهام UOM),
|
||||
Group by Supplier,گروه بندی توسط تأمین کننده,
|
||||
Group by Item,گروه بندی بر اساس مورد,
|
||||
Remember to set {field_label}. It is required by {regulation}.,فراموش نکنید که {field_label} را تنظیم کنید. این توسط {مقررات} لازم است.,
|
||||
Enrollment Date cannot be before the Start Date of the Academic Year {0},تاریخ ثبت نام نمی تواند قبل از تاریخ شروع سال تحصیلی باشد {0},
|
||||
Enrollment Date cannot be after the End Date of the Academic Term {0},تاریخ ثبت نام نمی تواند بعد از تاریخ پایان ترم تحصیلی باشد {0},
|
||||
Enrollment Date cannot be before the Start Date of the Academic Term {0},تاریخ ثبت نام نمی تواند قبل از تاریخ شروع ترم تحصیلی باشد {0},
|
||||
Posting future transactions are not allowed due to Immutable Ledger,ارسال معاملات در آینده به دلیل دفتر تغییر ناپذیر مجاز نیست,
|
||||
Future Posting Not Allowed,ارسال آینده مجاز نیست,
|
||||
"To enable Capital Work in Progress Accounting, ",برای فعال کردن سرمایه کار در حسابداری در حال پیشرفت ،,
|
||||
you must select Capital Work in Progress Account in accounts table,شما باید جدول Capital Work in Progress را در جدول حساب ها انتخاب کنید,
|
||||
You can also set default CWIP account in Company {},همچنین می توانید حساب پیش فرض CWIP را در شرکت تنظیم کنید {},
|
||||
The Request for Quotation can be accessed by clicking on the following button,با کلیک بر روی دکمه زیر می توان به درخواست برای قیمت گذاری دسترسی پیدا کرد,
|
||||
Regards,با احترام,
|
||||
Please click on the following button to set your new password,لطفاً برای تنظیم رمز ورود جدید خود بر روی دکمه زیر کلیک کنید,
|
||||
Update Password,رمز عبور را به روز کنید,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},ردیف شماره {}: نرخ فروش مورد {} کمتر از {} آن است. فروش {} باید حداقل باشد {},
|
||||
You can alternatively disable selling price validation in {} to bypass this validation.,برای دور زدن این اعتبار سنجی ، می توانید اعتبار فروش قیمت را در {} غیرفعال کنید.,
|
||||
Invalid Selling Price,قیمت فروش نامعتبر است,
|
||||
Address needs to be linked to a Company. Please add a row for Company in the Links table.,آدرس باید به یک شرکت پیوند داده شود. لطفاً یک ردیف برای شرکت در جدول پیوندها اضافه کنید.,
|
||||
Company Not Linked,شرکت پیوندی ندارد,
|
||||
Import Chart of Accounts from CSV / Excel files,نمودار حساب ها را از پرونده های CSV / Excel وارد کنید,
|
||||
Completed Qty cannot be greater than 'Qty to Manufacture',تعداد تکمیل شده نمی تواند بزرگتر از "تعداد تولید" باشد,
|
||||
"Row {0}: For Supplier {1}, Email Address is Required to send an email",ردیف {0}: برای تامین کننده {1} ، برای ارسال نامه الکترونیکی آدرس ایمیل لازم است,
|
||||
|
Can't render this file because it is too large.
|
@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,maksun tyyppi
|
||||
Chargeble,Chargeble,
|
||||
Charges are updated in Purchase Receipt against each item,maksut on päivitetty ostokuitilla kondistettuna jokaiseen tuotteeseen,
|
||||
"Charges will be distributed proportionately based on item qty or amount, as per your selection","maksut jaetaan suhteellisesti tuotteiden yksikkömäärän tai arvomäärän mukaan, määrityksen perusteella",
|
||||
Chart Of Accounts,Tilikartta,
|
||||
Chart of Cost Centers,Kustannuspaikkakaavio,
|
||||
Check all,Tarkista kaikki,
|
||||
Checkout,Tarkista,
|
||||
@ -581,7 +580,6 @@ Company {0} does not exist,Yritys {0} ei ole olemassa,
|
||||
Compensatory Off,korvaava on pois,
|
||||
Compensatory leave request days not in valid holidays,Korvausvapautuspäivät eivät ole voimassaoloaikoina,
|
||||
Complaint,Valitus,
|
||||
Completed Qty can not be greater than 'Qty to Manufacture',"valmiit yksikkömäärä ei voi olla suurempi kuin ""tuotannon määrä""",
|
||||
Completion Date,katselmus päivä,
|
||||
Computer,Tietokone,
|
||||
Condition,ehto,
|
||||
@ -2033,7 +2031,6 @@ Please select Category first,Ole hyvä ja valitse Luokka ensin,
|
||||
Please select Charge Type first,Valitse ensin veloitus tyyppi,
|
||||
Please select Company,Ole hyvä ja valitse Company,
|
||||
Please select Company and Designation,Valitse Yritys ja nimike,
|
||||
Please select Company and Party Type first,Valitse ensin yritys ja osapuoli tyyppi,
|
||||
Please select Company and Posting Date to getting entries,Valitse Yritykset ja kirjauspäivämäärä saadaksesi merkinnät,
|
||||
Please select Company first,Ole hyvä ja valitse Company ensin,
|
||||
Please select Completion Date for Completed Asset Maintenance Log,Valitse Valmistuneen omaisuudenhoitorekisterin päättymispäivä,
|
||||
@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,Nimi Institu
|
||||
The name of your company for which you are setting up this system.,"Yrityksen nimi, jolle olet luomassa tätä järjestelmää",
|
||||
The number of shares and the share numbers are inconsistent,Osakkeiden lukumäärä ja osakemäärä ovat epäjohdonmukaisia,
|
||||
The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Maksuyhdyskäytävätietojärjestelmä {0} poikkeaa maksupyyntötilistä tässä maksupyynnössä,
|
||||
The request for quotation can be accessed by clicking on the following link,Tarjouspyyntöön pääsee klikkaamalla seuraavaa linkkiä,
|
||||
The selected BOMs are not for the same item,Valitut osaluettelot eivät koske samaa nimikettä,
|
||||
The selected item cannot have Batch,Valittu tuote ei voi olla erä,
|
||||
The seller and the buyer cannot be the same,Myyjä ja ostaja eivät voi olla samat,
|
||||
@ -3130,7 +3126,6 @@ Total contribution percentage should be equal to 100,Rahoitusosuuden kokonaismä
|
||||
Total flexible benefit component amount {0} should not be less than max benefits {1},Joustavan etuuskomponentin {0} kokonaismäärä ei saa olla pienempi kuin enimmäisetujen {1},
|
||||
Total hours: {0},Yhteensä tuntia: {0},
|
||||
Total leaves allocated is mandatory for Leave Type {0},Jako myönnetty määrä yhteensä on {0},
|
||||
Total weightage assigned should be 100%. It is {0},Nimetyn painoarvon tulee yhteensä olla 100%. Nyt se on {0},
|
||||
Total working hours should not be greater than max working hours {0},Yhteensä työaika ei saisi olla suurempi kuin max työaika {0},
|
||||
Total {0} ({1}),Yhteensä {0} ({1}),
|
||||
"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Yhteensä {0} kaikki kohteet on nolla, voi olla sinun pitäisi muuttaa "välit perustuvat maksujen '",
|
||||
@ -3544,7 +3539,6 @@ Company GSTIN,Yritys GSTIN,
|
||||
Company field is required,Yrityksen kenttä on pakollinen,
|
||||
Creating Dimensions...,Luodaan ulottuvuuksia ...,
|
||||
Duplicate entry against the item code {0} and manufacturer {1},Kopio merkinnästä tuotekoodiin {0} ja valmistajaan {1},
|
||||
Import Chart Of Accounts from CSV / Excel files,Tuo tilikartta CSV / Excel-tiedostoista,
|
||||
Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Virheellinen GSTIN! Antamasi syöte ei vastaa UIN-haltijoiden tai muualla kuin OIDAR-palveluntarjoajien GSTIN-muotoa,
|
||||
Invoice Grand Total,Laskun kokonaissumma,
|
||||
Last carbon check date cannot be a future date,Viimeinen hiilitarkastuspäivämäärä ei voi olla tulevaisuuden päivämäärä,
|
||||
@ -3921,7 +3915,6 @@ Plaid authentication error,Plaid todennusvirhe,
|
||||
Plaid public token error,Tavallinen julkinen tunnusvirhe,
|
||||
Plaid transactions sync error,Ruudullinen tapahtumien synkronointivirhe,
|
||||
Please check the error log for details about the import errors,Tarkista tuontivirheistä virheloki,
|
||||
Please click on the following link to set your new password,Klikkaa seuraavaa linkkiä asettaa uuden salasanan,
|
||||
Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Luo <b>DATEV-asetukset</b> yritykselle <b>{}</b> .,
|
||||
Please create adjustment Journal Entry for amount {0} ,Luo oikaisu päiväkirjakirjaukseen summalle {0},
|
||||
Please do not create more than 500 items at a time,Älä luo enempää kuin 500 tuotetta kerrallaan,
|
||||
@ -3997,6 +3990,7 @@ Refreshing,Virkistävä,
|
||||
Release date must be in the future,Julkaisupäivän on oltava tulevaisuudessa,
|
||||
Relieving Date must be greater than or equal to Date of Joining,Päivityspäivämäärän on oltava suurempi tai yhtä suuri kuin Liittymispäivä,
|
||||
Rename,Nimeä uudelleen,
|
||||
Rename Not Allowed,Nimeä uudelleen ei sallita,
|
||||
Repayment Method is mandatory for term loans,Takaisinmaksutapa on pakollinen lainoille,
|
||||
Repayment Start Date is mandatory for term loans,Takaisinmaksun alkamispäivä on pakollinen lainoille,
|
||||
Report Item,Raportoi esine,
|
||||
@ -4043,7 +4037,6 @@ Search results for,Etsi tuloksia,
|
||||
Select All,Valitse kaikki,
|
||||
Select Difference Account,Valitse Ero-tili,
|
||||
Select a Default Priority.,Valitse oletusprioriteetti.,
|
||||
Select a Supplier from the Default Supplier List of the items below.,Valitse toimittaja alla olevista kohteista oletustoimittajaluettelosta.,
|
||||
Select a company,Valitse yritys,
|
||||
Select finance book for the item {0} at row {1},Valitse kohteelle {0} rivillä {1} rahoituskirja,
|
||||
Select only one Priority as Default.,Valitse vain yksi prioriteetti oletukseksi.,
|
||||
@ -4247,7 +4240,6 @@ Yes,Kyllä,
|
||||
Actual ,kiinteä määrä,
|
||||
Add to cart,Lisää koriin,
|
||||
Budget,budjetti,
|
||||
Chart Of Accounts Importer,Tilikartta tuoja,
|
||||
Chart of Accounts,Tilikartta,
|
||||
Customer database.,Asiakastietokanta.,
|
||||
Days Since Last order,päivää edellisestä tilauksesta,
|
||||
@ -4546,7 +4538,6 @@ Role that is allowed to submit transactions that exceed credit limits set.,rooli
|
||||
Check Supplier Invoice Number Uniqueness,tarkista toimittajan laskunumeron yksilöllisyys,
|
||||
Make Payment via Journal Entry,Tee Maksu Päiväkirjakirjaus,
|
||||
Unlink Payment on Cancellation of Invoice,Linkityksen Maksu mitätöinti Lasku,
|
||||
Unlink Advance Payment on Cancelation of Order,Irrota ennakkomaksu tilauksen peruuttamisen yhteydessä,
|
||||
Book Asset Depreciation Entry Automatically,Kirja Asset Poistot Entry Automaattisesti,
|
||||
Automatically Add Taxes and Charges from Item Tax Template,Lisää verot ja maksut automaattisesti tuoteveromallista,
|
||||
Automatically Fetch Payment Terms,Hae maksuehdot automaattisesti,
|
||||
@ -4940,7 +4931,6 @@ Closing Account Head,tilin otsikon sulkeminen,
|
||||
POS Customer Group,POS Asiakas Group,
|
||||
POS Field,POS-kenttä,
|
||||
POS Item Group,POS Kohta Group,
|
||||
[Select],[valitse],
|
||||
Company Address,yritys osoite,
|
||||
Update Stock,Päivitä varasto,
|
||||
Ignore Pricing Rule,ohita hinnoittelu sääntö,
|
||||
@ -6481,7 +6471,6 @@ HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM.,
|
||||
Appraisal Template,Arvioinnin mallipohjat,
|
||||
For Employee Name,Työntekijän nimeen,
|
||||
Goals,tavoitteet,
|
||||
Calculate Total Score,Laske yhteispisteet,
|
||||
Total Score (Out of 5),osumat (5:stä) yhteensä,
|
||||
"Any other remarks, noteworthy effort that should go in the records.","muut huomiot, huomioitavat asiat tulee laittaa tähän tietueeseen",
|
||||
Appraisal Goal,arvioinnin tavoite,
|
||||
@ -6599,11 +6588,6 @@ Relieving Date,Päättymispäivä,
|
||||
Reason for Leaving,Poistumisen syy,
|
||||
Leave Encashed?,vapaa kuitattu rahana?,
|
||||
Encashment Date,perintä päivä,
|
||||
Exit Interview Details,poistu haastattelun lisätiedoista,
|
||||
Held On,järjesteltiin,
|
||||
Reason for Resignation,Eroamisen syy,
|
||||
Better Prospects,Parempi Näkymät,
|
||||
Health Concerns,"terveys, huolenaiheet",
|
||||
New Workplace,Uusi Työpaikka,
|
||||
HR-EAD-.YYYY.-,HR-EAD-.YYYY.-,
|
||||
Returned Amount,Palautettu määrä,
|
||||
@ -8239,9 +8223,6 @@ Landed Cost Help,"Kohdistetut kustannukset, ohje",
|
||||
Manufacturers used in Items,Valmistajat käytetään Items,
|
||||
Limited to 12 characters,Rajattu 12 merkkiin,
|
||||
MAT-MR-.YYYY.-,MAT-MR-.YYYY.-,
|
||||
Set Warehouse,Aseta Warehouse,
|
||||
Sets 'For Warehouse' in each row of the Items table.,Asettaa 'Varastolle' Kohteet-taulukon jokaiselle riville.,
|
||||
Requested For,Pyydetty kohteelle,
|
||||
Partially Ordered,Osittain tilattu,
|
||||
Transferred,siirretty,
|
||||
% Ordered,% järjestetty,
|
||||
@ -8690,8 +8671,6 @@ Material Request Warehouse,Materiaalipyyntövarasto,
|
||||
Select warehouse for material requests,Valitse varasto materiaalipyyntöjä varten,
|
||||
Transfer Materials For Warehouse {0},Siirrä materiaaleja varastoon {0},
|
||||
Production Plan Material Request Warehouse,Tuotantosuunnitelman materiaalipyyntövarasto,
|
||||
Set From Warehouse,Aseta varastosta,
|
||||
Source Warehouse (Material Transfer),Lähdevarasto (materiaalinsiirto),
|
||||
Sets 'Source Warehouse' in each row of the items table.,Asettaa 'Lähdevarasto' kullekin tuotetaulukon riville.,
|
||||
Sets 'Target Warehouse' in each row of the items table.,Asettaa kohdevaraston kullekin tuotetaulukon riville.,
|
||||
Show Cancelled Entries,Näytä peruutetut merkinnät,
|
||||
@ -9157,7 +9136,6 @@ Professional Tax,Ammattivero,
|
||||
Is Income Tax Component,Onko tuloverokomponentti,
|
||||
Component properties and references ,Komponenttien ominaisuudet ja viitteet,
|
||||
Additional Salary ,Lisäpalkka,
|
||||
Condtion and formula,Ehto ja kaava,
|
||||
Unmarked days,Merkitsemättömät päivät,
|
||||
Absent Days,Poissa olevat päivät,
|
||||
Conditions and Formula variable and example,Ehdot ja kaavan muuttuja ja esimerkki,
|
||||
@ -9444,7 +9422,6 @@ Plaid invalid request error,Ruudullinen virheellinen pyyntövirhe,
|
||||
Please check your Plaid client ID and secret values,Tarkista Plaid-asiakastunnuksesi ja salaiset arvosi,
|
||||
Bank transaction creation error,Pankkitapahtumien luomisvirhe,
|
||||
Unit of Measurement,Mittayksikkö,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Rivi # {}: Tuotteen {} myyntihinta on matalampi kuin sen {}. Myyntikoron tulee olla vähintään {},
|
||||
Fiscal Year {0} Does Not Exist,Tilikausi {0} ei ole olemassa,
|
||||
Row # {0}: Returned Item {1} does not exist in {2} {3},Rivi # {0}: Palautettua kohdetta {1} ei ole kohteessa {2} {3},
|
||||
Valuation type charges can not be marked as Inclusive,Arvostustyyppisiä maksuja ei voida merkitä sisältäviksi,
|
||||
@ -9598,8 +9575,60 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Aseta priorit
|
||||
Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Vasteaika {0} rivillä {1} olevalle prioriteetille ei voi olla suurempi kuin tarkkuusaika.,
|
||||
{0} is not enabled in {1},{0} ei ole käytössä maassa {1},
|
||||
Group by Material Request,Ryhmittele materiaalipyynnön mukaan,
|
||||
"Row {0}: For Supplier {0}, Email Address is Required to Send Email",Rivi {0}: Toimittajan {0} sähköpostiosoite vaaditaan sähköpostin lähettämiseen,
|
||||
Email Sent to Supplier {0},Sähköposti lähetetty toimittajalle {0},
|
||||
"The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","Pääsy tarjouspyyntöön portaalista on poistettu käytöstä. Jos haluat sallia pääsyn, ota se käyttöön portaalin asetuksissa.",
|
||||
Supplier Quotation {0} Created,Toimittajan tarjous {0} luotu,
|
||||
Valid till Date cannot be before Transaction Date,Voimassa oleva päivämäärä ei voi olla ennen tapahtuman päivämäärää,
|
||||
Unlink Advance Payment on Cancellation of Order,Poista ennakkomaksu tilauksen peruuttamisen yhteydessä,
|
||||
"Simple Python Expression, Example: territory != 'All Territories'","Yksinkertainen Python-lauseke, Esimerkki: alue! = 'Kaikki alueet'",
|
||||
Sales Contributions and Incentives,Myynnin osuus ja kannustimet,
|
||||
Sourced by Supplier,Toimittaja,
|
||||
Total weightage assigned should be 100%.<br>It is {0},Kohdistetun kokonaispainon tulisi olla 100%.<br> Se on {0},
|
||||
Account {0} exists in parent company {1}.,Tili {0} on emoyhtiössä {1}.,
|
||||
"To overrule this, enable '{0}' in company {1}",Voit kumota tämän ottamalla yrityksen {0} käyttöön yrityksessä {1},
|
||||
Invalid condition expression,Virheellinen ehtolauseke,
|
||||
Please Select a Company First,Valitse ensin yritys,
|
||||
Please Select Both Company and Party Type First,Valitse ensin sekä yritys- että juhlatyyppi,
|
||||
Provide the invoice portion in percent,Anna laskutusosuus prosentteina,
|
||||
Give number of days according to prior selection,Ilmoita päivien määrä etukäteen tehdyn valinnan mukaan,
|
||||
Email Details,Sähköpostin tiedot,
|
||||
"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Valitse tervehdys vastaanottimelle. Esim. Herra, rouva jne.",
|
||||
Preview Email,Esikatsele sähköpostia,
|
||||
Please select a Supplier,Valitse toimittaja,
|
||||
Supplier Lead Time (days),Toimittajan toimitusaika (päivää),
|
||||
"Home, Work, etc.","Koti, työ jne.",
|
||||
Exit Interview Held On,Lopeta haastattelu,
|
||||
Condition and formula,Kunto ja kaava,
|
||||
Sets 'Target Warehouse' in each row of the Items table.,Asettaa Kohdevarasto Kohde-taulukon jokaiselle riville.,
|
||||
Sets 'Source Warehouse' in each row of the Items table.,Asettaa Lähdevarasto Kohteet-taulukon jokaiselle riville.,
|
||||
POS Register,POS-rekisteri,
|
||||
"Can not filter based on POS Profile, if grouped by POS Profile","Ei voida suodattaa POS-profiilin perusteella, jos se on ryhmitelty POS-profiilin mukaan",
|
||||
"Can not filter based on Customer, if grouped by Customer","Ei voi suodattaa asiakkaan perusteella, jos asiakas on ryhmitelty",
|
||||
"Can not filter based on Cashier, if grouped by Cashier","Ei voi suodattaa kassan perusteella, jos se on ryhmitelty kassan mukaan",
|
||||
Payment Method,Maksutapa,
|
||||
"Can not filter based on Payment Method, if grouped by Payment Method","Ei voi suodattaa maksutavan perusteella, jos se on ryhmitelty maksutavan mukaan",
|
||||
Supplier Quotation Comparison,Toimittajien tarjousten vertailu,
|
||||
Price per Unit (Stock UOM),Yksikköhinta (varastossa UOM),
|
||||
Group by Supplier,Ryhmittele toimittajan mukaan,
|
||||
Group by Item,Ryhmittele kohteiden mukaan,
|
||||
Remember to set {field_label}. It is required by {regulation}.,Muista asettaa {field_label}. Sitä vaaditaan {asetuksessa}.,
|
||||
Enrollment Date cannot be before the Start Date of the Academic Year {0},Ilmoittautumispäivä ei voi olla aikaisempi kuin lukuvuoden aloituspäivä {0},
|
||||
Enrollment Date cannot be after the End Date of the Academic Term {0},Ilmoittautumispäivä ei voi olla lukukauden päättymispäivän jälkeen {0},
|
||||
Enrollment Date cannot be before the Start Date of the Academic Term {0},Ilmoittautumispäivä ei voi olla aikaisempi kuin lukukauden aloituspäivä {0},
|
||||
Posting future transactions are not allowed due to Immutable Ledger,Tulevien tapahtumien kirjaaminen ei ole sallittua Immutable Ledgerin vuoksi,
|
||||
Future Posting Not Allowed,Tulevaa julkaisua ei sallita,
|
||||
"To enable Capital Work in Progress Accounting, ","Jotta pääomatyö käynnissä olevaan kirjanpitoon voidaan ottaa käyttöön,",
|
||||
you must select Capital Work in Progress Account in accounts table,sinun on valittava pääomatyö käynnissä -tili tilitaulukosta,
|
||||
You can also set default CWIP account in Company {},Voit myös asettaa CWIP-oletustilin yrityksessä {},
|
||||
The Request for Quotation can be accessed by clicking on the following button,Tarjouspyyntöön pääsee napsauttamalla seuraavaa painiketta,
|
||||
Regards,Terveiset,
|
||||
Please click on the following button to set your new password,Napsauta seuraavaa painiketta asettaaksesi uuden salasanasi,
|
||||
Update Password,Päivitä salasana,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Rivi # {}: Tuotteen {} myyntihinta on matalampi kuin sen {}. Myynnin {} tulisi olla vähintään {},
|
||||
You can alternatively disable selling price validation in {} to bypass this validation.,Voit vaihtoehtoisesti poistaa myyntihinnan vahvistuksen käytöstä {} ohittaaksesi tämän vahvistuksen.,
|
||||
Invalid Selling Price,Virheellinen myyntihinta,
|
||||
Address needs to be linked to a Company. Please add a row for Company in the Links table.,Osoite on linkitettävä yritykseen. Lisää linkki-taulukkoon Yritys-rivi.,
|
||||
Company Not Linked,Yritystä ei ole linkitetty,
|
||||
Import Chart of Accounts from CSV / Excel files,Tuo tilikartta CSV / Excel-tiedostoista,
|
||||
Completed Qty cannot be greater than 'Qty to Manufacture',Toteutettu määrä ei voi olla suurempi kuin "Valmistuksen määrä",
|
||||
"Row {0}: For Supplier {1}, Email Address is Required to send an email",Rivi {0}: Toimittajalle {1} sähköpostiosoite vaaditaan sähköpostin lähettämiseen,
|
||||
|
Can't render this file because it is too large.
|
@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge de typ
|
||||
Chargeble,Chargeble,
|
||||
Charges are updated in Purchase Receipt against each item,Les frais sont mis à jour dans le Reçu d'Achat pour chaque article,
|
||||
"Charges will be distributed proportionately based on item qty or amount, as per your selection","Les frais seront distribués proportionnellement à la qté ou au montant de l'article, selon votre sélection",
|
||||
Chart Of Accounts,Plan comptable,
|
||||
Chart of Cost Centers,Tableau des centres de coûts,
|
||||
Check all,Cochez tout,
|
||||
Checkout,Règlement,
|
||||
@ -581,7 +580,6 @@ Company {0} does not exist,Société {0} n'existe pas,
|
||||
Compensatory Off,Congé Compensatoire,
|
||||
Compensatory leave request days not in valid holidays,Les jours de la demande de congé compensatoire ne sont pas dans des vacances valides,
|
||||
Complaint,Plainte,
|
||||
Completed Qty can not be greater than 'Qty to Manufacture',"Qté Terminée ne peut pas être supérieure à ""Quantité de Production""",
|
||||
Completion Date,Date d'Achèvement,
|
||||
Computer,Ordinateur,
|
||||
Condition,Conditions,
|
||||
@ -2033,7 +2031,6 @@ Please select Category first,Veuillez d’abord sélectionner une Catégorie,
|
||||
Please select Charge Type first,Veuillez d’abord sélectionner le Type de Facturation,
|
||||
Please select Company,Veuillez sélectionner une Société,
|
||||
Please select Company and Designation,Veuillez sélectionner la société et la désignation,
|
||||
Please select Company and Party Type first,Veuillez d’abord sélectionner une Société et le Type de Tiers,
|
||||
Please select Company and Posting Date to getting entries,Veuillez sélectionner la société et la date de comptabilisation pour obtenir les écritures,
|
||||
Please select Company first,Veuillez d’abord sélectionner une Société,
|
||||
Please select Completion Date for Completed Asset Maintenance Log,Veuillez sélectionner la date d'achèvement pour le journal de maintenance des actifs terminé,
|
||||
@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,Le nom de l'
|
||||
The name of your company for which you are setting up this system.,Le nom de l'entreprise pour laquelle vous configurez ce système.,
|
||||
The number of shares and the share numbers are inconsistent,Le nombre d'actions dans les transactions est incohérent avec le nombre total d'actions,
|
||||
The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Le compte passerelle de paiement dans le plan {0} est différent du compte passerelle de paiement dans cette requête de paiement.,
|
||||
The request for quotation can be accessed by clicking on the following link,La demande de devis peut être consultée en cliquant sur le lien suivant,
|
||||
The selected BOMs are not for the same item,Les LDMs sélectionnées ne sont pas pour le même article,
|
||||
The selected item cannot have Batch,L’article sélectionné ne peut pas avoir de Lot,
|
||||
The seller and the buyer cannot be the same,Le vendeur et l'acheteur ne peuvent pas être les mêmes,
|
||||
@ -3130,7 +3126,6 @@ Total contribution percentage should be equal to 100,Le pourcentage total de con
|
||||
Total flexible benefit component amount {0} should not be less than max benefits {1},Le montant total de la composante de prestation flexible {0} ne doit pas être inférieur au nombre maximal de prestations {1},
|
||||
Total hours: {0},Nombre total d'heures : {0},
|
||||
Total leaves allocated is mandatory for Leave Type {0},Le nombre total de congés alloués est obligatoire pour le type de congé {0},
|
||||
Total weightage assigned should be 100%. It is {0},Le total des pondérations attribuées devrait être de 100 %. Il est {0},
|
||||
Total working hours should not be greater than max working hours {0},Le nombre total d'heures travaillées ne doit pas être supérieur à la durée maximale du travail {0},
|
||||
Total {0} ({1}),Total {0} ({1}),
|
||||
"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Le Total {0} pour tous les articles est nul, peut-être devriez-vous modifier ‘Distribuez les Frais sur la Base de’",
|
||||
@ -3544,7 +3539,6 @@ Company GSTIN,GSTIN de la Société,
|
||||
Company field is required,Le champ de l'entreprise est obligatoire,
|
||||
Creating Dimensions...,Créer des dimensions ...,
|
||||
Duplicate entry against the item code {0} and manufacturer {1},Dupliquer la saisie par rapport au code article {0} et au fabricant {1},
|
||||
Import Chart Of Accounts from CSV / Excel files,Importer un graphique des comptes à partir de fichiers CSV / Excel,
|
||||
Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTIN invalide! L'entrée que vous avez entrée ne correspond pas au format GSTIN pour les titulaires d'un UIN ou les fournisseurs de services OIDAR non résidents,
|
||||
Invoice Grand Total,Total général de la facture,
|
||||
Last carbon check date cannot be a future date,La date du dernier bilan carbone ne peut pas être une date future,
|
||||
@ -3921,7 +3915,6 @@ Plaid authentication error,Erreur d'authentification du plaid,
|
||||
Plaid public token error,Erreur de jeton public Plaid,
|
||||
Plaid transactions sync error,Erreur de synchronisation des transactions plaid,
|
||||
Please check the error log for details about the import errors,Veuillez consulter le journal des erreurs pour plus de détails sur les erreurs d'importation.,
|
||||
Please click on the following link to set your new password,Veuillez cliquer sur le lien suivant pour définir votre nouveau mot de passe,
|
||||
Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Veuillez créer les <b>paramètres DATEV</b> pour l'entreprise <b>{}</b> .,
|
||||
Please create adjustment Journal Entry for amount {0} ,Veuillez créer une écriture de journal d'ajustement pour le montant {0},
|
||||
Please do not create more than 500 items at a time,Ne créez pas plus de 500 objets à la fois.,
|
||||
@ -3997,6 +3990,7 @@ Refreshing,Rafraîchissant,
|
||||
Release date must be in the future,La date de sortie doit être dans le futur,
|
||||
Relieving Date must be greater than or equal to Date of Joining,La date de libération doit être supérieure ou égale à la date d'adhésion,
|
||||
Rename,Renommer,
|
||||
Rename Not Allowed,Renommer non autorisé,
|
||||
Repayment Method is mandatory for term loans,La méthode de remboursement est obligatoire pour les prêts à terme,
|
||||
Repayment Start Date is mandatory for term loans,La date de début de remboursement est obligatoire pour les prêts à terme,
|
||||
Report Item,Élément de rapport,
|
||||
@ -4043,7 +4037,6 @@ Search results for,Résultats de recherche pour,
|
||||
Select All,Sélectionner Tout,
|
||||
Select Difference Account,Sélectionnez compte différentiel,
|
||||
Select a Default Priority.,Sélectionnez une priorité par défaut.,
|
||||
Select a Supplier from the Default Supplier List of the items below.,Sélectionnez un fournisseur dans la liste des fournisseurs par défaut des éléments ci-dessous.,
|
||||
Select a company,Sélectionnez une entreprise,
|
||||
Select finance book for the item {0} at row {1},Sélectionnez le livre de financement pour l'élément {0} à la ligne {1}.,
|
||||
Select only one Priority as Default.,Sélectionnez une seule priorité par défaut.,
|
||||
@ -4247,7 +4240,6 @@ Yes,Oui,
|
||||
Actual ,Réel,
|
||||
Add to cart,Ajouter au Panier,
|
||||
Budget,Budget,
|
||||
Chart Of Accounts Importer,Importateur de plan comptable,
|
||||
Chart of Accounts,Plan comptable,
|
||||
Customer database.,Base de données clients.,
|
||||
Days Since Last order,Jours depuis la dernière commande,
|
||||
@ -4546,7 +4538,6 @@ Role that is allowed to submit transactions that exceed credit limits set.,Rôle
|
||||
Check Supplier Invoice Number Uniqueness,Vérifiez l'Unicité du Numéro de Facture du Fournisseur,
|
||||
Make Payment via Journal Entry,Effectuer un Paiement par une Écriture de Journal,
|
||||
Unlink Payment on Cancellation of Invoice,Délier Paiement à l'Annulation de la Facture,
|
||||
Unlink Advance Payment on Cancelation of Order,Dissocier le paiement anticipé lors de l'annulation d'une commande,
|
||||
Book Asset Depreciation Entry Automatically,Comptabiliser les Entrées de Dépréciation d'Actifs Automatiquement,
|
||||
Automatically Add Taxes and Charges from Item Tax Template,Ajouter automatiquement des taxes et des frais à partir du modèle de taxe à la pièce,
|
||||
Automatically Fetch Payment Terms,Récupérer automatiquement les conditions de paiement,
|
||||
@ -4940,7 +4931,6 @@ Closing Account Head,Compte de clôture,
|
||||
POS Customer Group,Groupe Clients PDV,
|
||||
POS Field,Champ POS,
|
||||
POS Item Group,Groupe d'Articles PDV,
|
||||
[Select],[Choisir],
|
||||
Company Address,Adresse de la Société,
|
||||
Update Stock,Mettre à Jour le Stock,
|
||||
Ignore Pricing Rule,Ignorez Règle de Prix,
|
||||
@ -6481,7 +6471,6 @@ HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM.,
|
||||
Appraisal Template,Modèle d'évaluation,
|
||||
For Employee Name,Nom de l'Employé,
|
||||
Goals,Objectifs,
|
||||
Calculate Total Score,Calculer le Résultat Total,
|
||||
Total Score (Out of 5),Score Total (sur 5),
|
||||
"Any other remarks, noteworthy effort that should go in the records.","Toute autre remarque, effort remarquable qui devrait aller dans les dossiers.",
|
||||
Appraisal Goal,Objectif d'Estimation,
|
||||
@ -6599,11 +6588,6 @@ Relieving Date,Date de Relève,
|
||||
Reason for Leaving,Raison du Départ,
|
||||
Leave Encashed?,Laisser Encaissé ?,
|
||||
Encashment Date,Date de l'Encaissement,
|
||||
Exit Interview Details,Entretient de Départ,
|
||||
Held On,Tenu le,
|
||||
Reason for Resignation,Raison de la Démission,
|
||||
Better Prospects,Meilleures Perspectives,
|
||||
Health Concerns,Problèmes de Santé,
|
||||
New Workplace,Nouveau Lieu de Travail,
|
||||
HR-EAD-.YYYY.-,HR-EAD-.YYYY.-,
|
||||
Returned Amount,Montant retourné,
|
||||
@ -8239,9 +8223,6 @@ Landed Cost Help,Aide Coûts Logistiques,
|
||||
Manufacturers used in Items,Fabricants utilisés dans les Articles,
|
||||
Limited to 12 characters,Limité à 12 caractères,
|
||||
MAT-MR-.YYYY.-,MAT-MR-YYYY.-,
|
||||
Set Warehouse,Définir l'entrepôt,
|
||||
Sets 'For Warehouse' in each row of the Items table.,Définit «Pour l'entrepôt» dans chaque ligne de la table Articles.,
|
||||
Requested For,Demandé Pour,
|
||||
Partially Ordered,Partiellement commandé,
|
||||
Transferred,Transféré,
|
||||
% Ordered,% Commandé,
|
||||
@ -8690,8 +8671,6 @@ Material Request Warehouse,Entrepôt de demande de matériel,
|
||||
Select warehouse for material requests,Sélectionnez l'entrepôt pour les demandes de matériel,
|
||||
Transfer Materials For Warehouse {0},Transférer des matériaux pour l'entrepôt {0},
|
||||
Production Plan Material Request Warehouse,Entrepôt de demande de matériel du plan de production,
|
||||
Set From Warehouse,Définir de l'entrepôt,
|
||||
Source Warehouse (Material Transfer),Entrepôt d'origine (transfert de matériel),
|
||||
Sets 'Source Warehouse' in each row of the items table.,Définit «Entrepôt source» dans chaque ligne de la table des éléments.,
|
||||
Sets 'Target Warehouse' in each row of the items table.,Définit «Entrepôt cible» dans chaque ligne de la table des articles.,
|
||||
Show Cancelled Entries,Afficher les entrées annulées,
|
||||
@ -9157,7 +9136,6 @@ Professional Tax,Taxe professionnelle,
|
||||
Is Income Tax Component,Est un élément de l'impôt sur le revenu,
|
||||
Component properties and references ,Propriétés et références des composants,
|
||||
Additional Salary ,Salaire supplémentaire,
|
||||
Condtion and formula,Condition et formule,
|
||||
Unmarked days,Jours non marqués,
|
||||
Absent Days,Jours d'absence,
|
||||
Conditions and Formula variable and example,Conditions et variable de formule et exemple,
|
||||
@ -9444,7 +9422,6 @@ Plaid invalid request error,Erreur de demande non valide pour le plaid,
|
||||
Please check your Plaid client ID and secret values,Veuillez vérifier votre identifiant client Plaid et vos valeurs secrètes,
|
||||
Bank transaction creation error,Erreur de création de transaction bancaire,
|
||||
Unit of Measurement,Unité de mesure,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Ligne n ° {}: le taux de vente de l'article {} est inférieur à son {}. Le taux de vente doit être d'au moins {},
|
||||
Fiscal Year {0} Does Not Exist,L'exercice budgétaire {0} n'existe pas,
|
||||
Row # {0}: Returned Item {1} does not exist in {2} {3},Ligne n ° {0}: l'élément renvoyé {1} n'existe pas dans {2} {3},
|
||||
Valuation type charges can not be marked as Inclusive,Les frais de type d'évaluation ne peuvent pas être marqués comme inclusifs,
|
||||
@ -9598,8 +9575,60 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Définissez l
|
||||
Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Le temps de réponse pour la {0} priorité dans la ligne {1} ne peut pas être supérieur au temps de résolution.,
|
||||
{0} is not enabled in {1},{0} n'est pas activé dans {1},
|
||||
Group by Material Request,Regrouper par demande de matériel,
|
||||
"Row {0}: For Supplier {0}, Email Address is Required to Send Email","Ligne {0}: pour le fournisseur {0}, l'adresse e-mail est requise pour envoyer un e-mail",
|
||||
Email Sent to Supplier {0},E-mail envoyé au fournisseur {0},
|
||||
"The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","L'accès à la demande de devis du portail est désactivé. Pour autoriser l'accès, activez-le dans les paramètres du portail.",
|
||||
Supplier Quotation {0} Created,Devis fournisseur {0} créé,
|
||||
Valid till Date cannot be before Transaction Date,La date de validité ne peut pas être antérieure à la date de transaction,
|
||||
Unlink Advance Payment on Cancellation of Order,Dissocier le paiement anticipé lors de l'annulation de la commande,
|
||||
"Simple Python Expression, Example: territory != 'All Territories'","Expression Python simple, exemple: territoire! = 'Tous les territoires'",
|
||||
Sales Contributions and Incentives,Contributions et incitations aux ventes,
|
||||
Sourced by Supplier,Fourni par le fournisseur,
|
||||
Total weightage assigned should be 100%.<br>It is {0},Le poids total attribué doit être de 100%.<br> C'est {0},
|
||||
Account {0} exists in parent company {1}.,Le compte {0} existe dans la société mère {1}.,
|
||||
"To overrule this, enable '{0}' in company {1}","Pour contourner ce problème, activez «{0}» dans l'entreprise {1}",
|
||||
Invalid condition expression,Expression de condition non valide,
|
||||
Please Select a Company First,Veuillez d'abord sélectionner une entreprise,
|
||||
Please Select Both Company and Party Type First,Veuillez d'abord sélectionner à la fois la société et le type de partie,
|
||||
Provide the invoice portion in percent,Fournissez la partie de la facture en pourcentage,
|
||||
Give number of days according to prior selection,Donnez le nombre de jours selon la sélection préalable,
|
||||
Email Details,Détails de l'e-mail,
|
||||
"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Sélectionnez un message d'accueil pour le destinataire. Par exemple, M., Mme, etc.",
|
||||
Preview Email,Aperçu de l'e-mail,
|
||||
Please select a Supplier,Veuillez sélectionner un fournisseur,
|
||||
Supplier Lead Time (days),Délai fournisseur (jours),
|
||||
"Home, Work, etc.","Domicile, travail, etc.",
|
||||
Exit Interview Held On,Entretien de sortie tenu le,
|
||||
Condition and formula,Condition et formule,
|
||||
Sets 'Target Warehouse' in each row of the Items table.,Définit «Entrepôt cible» dans chaque ligne de la table Articles.,
|
||||
Sets 'Source Warehouse' in each row of the Items table.,Définit «Entrepôt source» dans chaque ligne de la table Articles.,
|
||||
POS Register,Registre POS,
|
||||
"Can not filter based on POS Profile, if grouped by POS Profile","Impossible de filtrer en fonction du profil de point de vente, s'il est regroupé par profil de point de vente",
|
||||
"Can not filter based on Customer, if grouped by Customer","Impossible de filtrer en fonction du client, s'il est regroupé par client",
|
||||
"Can not filter based on Cashier, if grouped by Cashier","Impossible de filtrer en fonction du caissier, s'il est regroupé par caissier",
|
||||
Payment Method,Mode de paiement,
|
||||
"Can not filter based on Payment Method, if grouped by Payment Method","Impossible de filtrer en fonction du mode de paiement, s'il est regroupé par mode de paiement",
|
||||
Supplier Quotation Comparison,Comparaison des devis fournisseurs,
|
||||
Price per Unit (Stock UOM),Prix unitaire (Stock UdM),
|
||||
Group by Supplier,Regrouper par fournisseur,
|
||||
Group by Item,Grouper par article,
|
||||
Remember to set {field_label}. It is required by {regulation}.,N'oubliez pas de définir {field_label}. Il est requis par {règlement}.,
|
||||
Enrollment Date cannot be before the Start Date of the Academic Year {0},La date d'inscription ne peut pas être antérieure à la date de début de l'année universitaire {0},
|
||||
Enrollment Date cannot be after the End Date of the Academic Term {0},La date d'inscription ne peut pas être postérieure à la date de fin du trimestre universitaire {0},
|
||||
Enrollment Date cannot be before the Start Date of the Academic Term {0},La date d'inscription ne peut pas être antérieure à la date de début de la session universitaire {0},
|
||||
Posting future transactions are not allowed due to Immutable Ledger,La comptabilisation des transactions futures n'est pas autorisée en raison du grand livre immuable,
|
||||
Future Posting Not Allowed,Publication future non autorisée,
|
||||
"To enable Capital Work in Progress Accounting, ","Pour activer la comptabilité des immobilisations en cours,",
|
||||
you must select Capital Work in Progress Account in accounts table,vous devez sélectionner le compte des travaux d'immobilisations en cours dans le tableau des comptes,
|
||||
You can also set default CWIP account in Company {},Vous pouvez également définir le compte CWIP par défaut dans Entreprise {},
|
||||
The Request for Quotation can be accessed by clicking on the following button,La demande de devis est accessible en cliquant sur le bouton suivant,
|
||||
Regards,Cordialement,
|
||||
Please click on the following button to set your new password,Veuillez cliquer sur le bouton suivant pour définir votre nouveau mot de passe,
|
||||
Update Password,Mettre à jour le mot de passe,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Ligne n ° {}: le taux de vente de l'article {} est inférieur à son {}. La vente {} doit être au moins {},
|
||||
You can alternatively disable selling price validation in {} to bypass this validation.,Vous pouvez également désactiver la validation du prix de vente dans {} pour contourner cette validation.,
|
||||
Invalid Selling Price,Prix de vente invalide,
|
||||
Address needs to be linked to a Company. Please add a row for Company in the Links table.,L'adresse doit être liée à une entreprise. Veuillez ajouter une ligne pour Entreprise dans le tableau Liens.,
|
||||
Company Not Linked,Entreprise non liée,
|
||||
Import Chart of Accounts from CSV / Excel files,Importer un plan comptable à partir de fichiers CSV / Excel,
|
||||
Completed Qty cannot be greater than 'Qty to Manufacture',La quantité terminée ne peut pas être supérieure à la `` quantité à fabriquer '',
|
||||
"Row {0}: For Supplier {1}, Email Address is Required to send an email","Ligne {0}: pour le fournisseur {1}, l'adresse e-mail est obligatoire pour envoyer un e-mail",
|
||||
|
Can't render this file because it is too large.
|
@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,પ્રક
|
||||
Chargeble,ચાર્જબલ,
|
||||
Charges are updated in Purchase Receipt against each item,સમાયોજિત દરેક વસ્તુ સામે ખરીદી રસીદ અપડેટ કરવામાં આવે છે,
|
||||
"Charges will be distributed proportionately based on item qty or amount, as per your selection","સમાયોજિત પ્રમાણમાં તમારી પસંદગી મુજબ, વસ્તુ Qty અથવા રકમ પર આધારિત વિતરણ કરવામાં આવશે",
|
||||
Chart Of Accounts,એકાઉન્ટ્સ ઓફ ચાર્ટ,
|
||||
Chart of Cost Centers,કિંમત કેન્દ્રો ચાર્ટ,
|
||||
Check all,બધા તપાસો,
|
||||
Checkout,ચેકઆઉટ,
|
||||
@ -581,7 +580,6 @@ Company {0} does not exist,કંપની {0} અસ્તિત્વમાં
|
||||
Compensatory Off,વળતર બંધ,
|
||||
Compensatory leave request days not in valid holidays,માન્ય રજાઓના દિવસોમાં વળતરની રજાની વિનંતીઓ,
|
||||
Complaint,ફરિયાદ,
|
||||
Completed Qty can not be greater than 'Qty to Manufacture',કરતાં 'Qty ઉત્પાદન' પૂર્ણ Qty વધારે ન હોઈ શકે,
|
||||
Completion Date,પૂર્ણાહુતિ તારીખ્,
|
||||
Computer,કમ્પ્યુટર,
|
||||
Condition,કન્ડિશન,
|
||||
@ -2033,7 +2031,6 @@ Please select Category first,પ્રથમ શ્રેણી પસંદ ક
|
||||
Please select Charge Type first,પ્રથમ ચાર્જ પ્રકાર પસંદ કરો,
|
||||
Please select Company,કંપની પસંદ કરો,
|
||||
Please select Company and Designation,કંપની અને હોદ્દો પસંદ કરો,
|
||||
Please select Company and Party Type first,પ્રથમ કંપની અને પાર્ટી પ્રકાર પસંદ કરો,
|
||||
Please select Company and Posting Date to getting entries,પ્રવેશ મેળવવા માટેની કંપની અને પોસ્ટિંગ તારીખ પસંદ કરો,
|
||||
Please select Company first,પ્રથમ કંપની પસંદ કરો,
|
||||
Please select Completion Date for Completed Asset Maintenance Log,પૂર્ણ સંપત્તિ જાળવણી પ્રવેશ માટે સમાપ્તિ તારીખ પસંદ કરો,
|
||||
@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,સંસ્
|
||||
The name of your company for which you are setting up this system.,તમારી કંપનીના નામ કે જેના માટે તમે આ સિસ્ટમ સુયોજિત કરી રહ્યા હોય.,
|
||||
The number of shares and the share numbers are inconsistent,શેર્સની સંખ્યા અને શેરની સંખ્યા અસંગત છે,
|
||||
The payment gateway account in plan {0} is different from the payment gateway account in this payment request,પ્લાન {0} માં ચુકવણી ગેટવે એકાઉન્ટ ચુકવણીની વિનંતીમાં ચુકવણી ગેટવે એકાઉન્ટથી અલગ છે,
|
||||
The request for quotation can be accessed by clicking on the following link,અવતરણ માટે વિનંતી નીચેની લિંક પર ક્લિક કરીને વાપરી શકાય છે,
|
||||
The selected BOMs are not for the same item,પસંદ BOMs જ વસ્તુ માટે નથી,
|
||||
The selected item cannot have Batch,પસંદ કરેલ વસ્તુ બેચ હોઈ શકે નહિં,
|
||||
The seller and the buyer cannot be the same,વેચનાર અને ખરીદનાર તે જ ન હોઈ શકે,
|
||||
@ -3130,7 +3126,6 @@ Total contribution percentage should be equal to 100,કુલ યોગદા
|
||||
Total flexible benefit component amount {0} should not be less than max benefits {1},કુલ ફ્લેક્સિબલ લાભ ઘટક રકમ {0} મહત્તમ લાભ કરતાં ઓછી હોવી જોઈએ નહીં {1},
|
||||
Total hours: {0},કુલ સમય: {0},
|
||||
Total leaves allocated is mandatory for Leave Type {0},રવાના પ્રકાર {0} માટે ફાળવેલ કુલ પાંદડા ફરજિયાત છે,
|
||||
Total weightage assigned should be 100%. It is {0},100% પ્રયત્ન કરીશું સોંપાયેલ કુલ વેઇટેજ. તે {0},
|
||||
Total working hours should not be greater than max working hours {0},કુલ કામના કલાકો મેક્સ કામના કલાકો કરતાં વધારે ન હોવી જોઈએ {0},
|
||||
Total {0} ({1}),કુલ {0} ({1}),
|
||||
"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","કુલ {0} બધી વસ્તુઓ માટે શૂન્ય છે, તો તમે 'પર આધારિત ચાર્જિસ વિતરિત' બદલવા જોઈએ કરી શકે",
|
||||
@ -3544,7 +3539,6 @@ Company GSTIN,કંપની GSTIN,
|
||||
Company field is required,કંપની ક્ષેત્ર આવશ્યક છે,
|
||||
Creating Dimensions...,પરિમાણો બનાવી રહ્યાં છે ...,
|
||||
Duplicate entry against the item code {0} and manufacturer {1},આઇટમ કોડ {0} અને ઉત્પાદક {1} વિરુદ્ધ ડુપ્લિકેટ એન્ટ્રી,
|
||||
Import Chart Of Accounts from CSV / Excel files,સીએસવી / એક્સેલ ફાઇલોથી એકાઉન્ટ્સનો ચાર્ટ આયાત કરો,
|
||||
Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,અમાન્ય જીએસટીઆઈએન! તમે દાખલ કરેલ ઇનપુટ યુઆઈએન ધારકો અથવા બિન-નિવાસી OIDAR સેવા પ્રદાતાઓ માટેના GSTIN ફોર્મેટ સાથે મેળ ખાતું નથી,
|
||||
Invoice Grand Total,ભરતિયું ગ્રાન્ડ કુલ,
|
||||
Last carbon check date cannot be a future date,છેલ્લી કાર્બન ચેક તારીખ ભવિષ્યની તારીખ હોઈ શકતી નથી,
|
||||
@ -3921,7 +3915,6 @@ Plaid authentication error,પ્લેઇડ પ્રમાણીકરણ ભ
|
||||
Plaid public token error,પ્લેડ સાર્વજનિક ટોકન ભૂલ,
|
||||
Plaid transactions sync error,પ્લેઇડ ટ્રાન્ઝેક્શન સમન્વયન ભૂલ,
|
||||
Please check the error log for details about the import errors,કૃપા કરીને આયાત ભૂલો વિશેની વિગતો માટે ભૂલ લોગને તપાસો,
|
||||
Please click on the following link to set your new password,તમારો નવો પાસવર્ડ સુયોજિત કરવા માટે નીચેની લિંક પર ક્લિક કરો,
|
||||
Please create <b>DATEV Settings</b> for Company <b>{}</b>.,કૃપા કરીને કંપની <b>{</b> <b>for</b> માટે <b>DATEV સેટિંગ્સ</b> બનાવો.,
|
||||
Please create adjustment Journal Entry for amount {0} ,કૃપા કરી રકમ for 0 for માટે એડજસ્ટમેન્ટ જર્નલ એન્ટ્રી બનાવો,
|
||||
Please do not create more than 500 items at a time,કૃપા કરીને એક સમયે 500 થી વધુ વસ્તુઓ બનાવશો નહીં,
|
||||
@ -3997,6 +3990,7 @@ Refreshing,પ્રેરણાદાયક,
|
||||
Release date must be in the future,પ્રકાશન તારીખ ભવિષ્યમાં હોવી આવશ્યક છે,
|
||||
Relieving Date must be greater than or equal to Date of Joining,રાહત આપવાની તારીખ જોડાવાની તારીખથી મોટી અથવા તેના જેટલી હોવી જોઈએ,
|
||||
Rename,નામ બદલો,
|
||||
Rename Not Allowed,નામ બદલી મંજૂરી નથી,
|
||||
Repayment Method is mandatory for term loans,ટર્મ લોન માટે ચુકવણીની પદ્ધતિ ફરજિયાત છે,
|
||||
Repayment Start Date is mandatory for term loans,ટર્મ લોન માટે ચુકવણીની શરૂઆત તારીખ ફરજિયાત છે,
|
||||
Report Item,રિપોર્ટ આઇટમ,
|
||||
@ -4043,7 +4037,6 @@ Search results for,માટે શોધ પરિણામ,
|
||||
Select All,બધા પસંદ કરો,
|
||||
Select Difference Account,ડિફરન્સ એકાઉન્ટ પસંદ કરો,
|
||||
Select a Default Priority.,ડિફોલ્ટ પ્રાધાન્યતા પસંદ કરો.,
|
||||
Select a Supplier from the Default Supplier List of the items below.,નીચેની આઇટમ્સની ડિફોલ્ટ સપ્લાયર સૂચિમાંથી સપ્લાયર પસંદ કરો.,
|
||||
Select a company,કોઈ કંપની પસંદ કરો,
|
||||
Select finance book for the item {0} at row {1},પંક્તિ {1} પર આઇટમ {0} માટે ફાઇનાન્સ બુક પસંદ કરો,
|
||||
Select only one Priority as Default.,ડિફaultલ્ટ તરીકે ફક્ત એક પ્રાધાન્યતા પસંદ કરો.,
|
||||
@ -4247,7 +4240,6 @@ Yes,હા,
|
||||
Actual ,વાસ્તવિક,
|
||||
Add to cart,સૂચી માં સામેલ કરો,
|
||||
Budget,બજેટ,
|
||||
Chart Of Accounts Importer,એકાઉન્ટ્સ આયાતકારનો ચાર્ટ,
|
||||
Chart of Accounts,હિસાબનો ચાર્ટ,
|
||||
Customer database.,ગ્રાહક ડેટાબેઝ.,
|
||||
Days Since Last order,છેલ્લે ઓર્ડર સુધીનાં દિવસો,
|
||||
@ -4546,7 +4538,6 @@ Role that is allowed to submit transactions that exceed credit limits set.,સ
|
||||
Check Supplier Invoice Number Uniqueness,ચેક પુરવઠોકર્તા ભરતિયું નંબર વિશિષ્ટતા,
|
||||
Make Payment via Journal Entry,જર્નલ પ્રવેશ મારફતે ચુકવણી બનાવો,
|
||||
Unlink Payment on Cancellation of Invoice,ભરતિયું રદ પર ચુકવણી નાપસંદ,
|
||||
Unlink Advance Payment on Cancelation of Order,હુકમ રદ પર અનલિંક એડવાન્સ ચુકવણી,
|
||||
Book Asset Depreciation Entry Automatically,બુક એસેટ ઘસારો એન્ટ્રી આપમેળે,
|
||||
Automatically Add Taxes and Charges from Item Tax Template,આઇટમ ટેક્સ Templateાંચોથી આપમેળે કર અને ચાર્જ ઉમેરો,
|
||||
Automatically Fetch Payment Terms,આપમેળે ચુકવણીની શરતો મેળવો,
|
||||
@ -4940,7 +4931,6 @@ Closing Account Head,એકાઉન્ટ વડા બંધ,
|
||||
POS Customer Group,POS ગ્રાહક જૂથ,
|
||||
POS Field,પોસ ક્ષેત્ર,
|
||||
POS Item Group,POS વસ્તુ ગ્રુપ,
|
||||
[Select],[પસંદ કરો],
|
||||
Company Address,કંપનીનું સરનામું,
|
||||
Update Stock,સુધારા સ્ટોક,
|
||||
Ignore Pricing Rule,પ્રાઇસીંગ નિયમ અવગણો,
|
||||
@ -6481,7 +6471,6 @@ HR-APR-.YY.-.MM.,એચઆર -એપીઆર-. વાય.ઈ.-એમ.એમ.,
|
||||
Appraisal Template,મૂલ્યાંકન ઢાંચો,
|
||||
For Employee Name,કર્મચારીનું નામ માટે,
|
||||
Goals,લક્ષ્યાંક,
|
||||
Calculate Total Score,કુલ સ્કોર ગણતરી,
|
||||
Total Score (Out of 5),(5) કુલ સ્કોર,
|
||||
"Any other remarks, noteworthy effort that should go in the records.","કોઈપણ અન્ય ટીકા, રેકોર્ડ જવા જોઈએ કે નોંધપાત્ર પ્રયાસ.",
|
||||
Appraisal Goal,મૂલ્યાંકન ગોલ,
|
||||
@ -6599,11 +6588,6 @@ Relieving Date,રાહત તારીખ,
|
||||
Reason for Leaving,છોડીને માટે કારણ,
|
||||
Leave Encashed?,વટાવી છોડી?,
|
||||
Encashment Date,એન્કેશમેન્ટ તારીખ,
|
||||
Exit Interview Details,બહાર નીકળો મુલાકાત વિગતો,
|
||||
Held On,આયોજન પર,
|
||||
Reason for Resignation,રાજીનામાની કારણ,
|
||||
Better Prospects,સારી સંભાવના,
|
||||
Health Concerns,આરોગ્ય ચિંતા,
|
||||
New Workplace,ન્યૂ નોકરીના સ્થળે,
|
||||
HR-EAD-.YYYY.-,એચઆર-ઇએડી-. યેવાયવાય.-,
|
||||
Returned Amount,પરત રકમ,
|
||||
@ -8239,9 +8223,6 @@ Landed Cost Help,ઉતારેલ માલની કિંમત મદદ,
|
||||
Manufacturers used in Items,વસ્તુઓ વપરાય ઉત્પાદકો,
|
||||
Limited to 12 characters,12 અક્ષરો સુધી મર્યાદિત,
|
||||
MAT-MR-.YYYY.-,એમએટી- એમઆર-યુ.વાયવાયવાય.-,
|
||||
Set Warehouse,વેરહાઉસ સેટ કરો,
|
||||
Sets 'For Warehouse' in each row of the Items table.,આઇટમ કોષ્ટકની દરેક પંક્તિમાં 'વેરહાઉસ માટે' સેટ કરો.,
|
||||
Requested For,વિનંતી,
|
||||
Partially Ordered,આંશિક રીતે આદેશ આપ્યો,
|
||||
Transferred,પર સ્થાનાંતરિત કરવામાં આવી,
|
||||
% Ordered,% આદેશ આપ્યો,
|
||||
@ -8690,8 +8671,6 @@ Material Request Warehouse,સામગ્રી વિનંતી વેરહ
|
||||
Select warehouse for material requests,સામગ્રી વિનંતીઓ માટે વેરહાઉસ પસંદ કરો,
|
||||
Transfer Materials For Warehouse {0},વેરહાઉસ Material 0 For માટે સામગ્રી સ્થાનાંતરિત કરો,
|
||||
Production Plan Material Request Warehouse,ઉત્પાદન યોજના સામગ્રી વિનંતી વેરહાઉસ,
|
||||
Set From Warehouse,વેરહાઉસમાંથી સેટ કરો,
|
||||
Source Warehouse (Material Transfer),સોર્સ વેરહાઉસ (મટીરિયલ ટ્રાન્સફર),
|
||||
Sets 'Source Warehouse' in each row of the items table.,આઇટમ્સ કોષ્ટકની દરેક પંક્તિમાં 'સોર્સ વેરહાઉસ' સેટ કરો.,
|
||||
Sets 'Target Warehouse' in each row of the items table.,આઇટમ્સના ટેબલની દરેક પંક્તિમાં 'લક્ષ્ય વેરહાઉસ' સેટ કરો.,
|
||||
Show Cancelled Entries,રદ કરેલ પ્રવેશો બતાવો,
|
||||
@ -9157,7 +9136,6 @@ Professional Tax,વ્યવસાયિક કર,
|
||||
Is Income Tax Component,આવકવેરાના ભાગ છે,
|
||||
Component properties and references ,ઘટક ગુણધર્મો અને સંદર્ભો,
|
||||
Additional Salary ,વધારાના પગાર,
|
||||
Condtion and formula,સ્થિતિ અને સૂત્ર,
|
||||
Unmarked days,અંકિત દિવસો,
|
||||
Absent Days,ગેરહાજર દિવસો,
|
||||
Conditions and Formula variable and example,શરતો અને ફોર્મ્યુલા ચલ અને ઉદાહરણ,
|
||||
@ -9444,7 +9422,6 @@ Plaid invalid request error,પ્લેઇડ અમાન્ય વિનં
|
||||
Please check your Plaid client ID and secret values,કૃપા કરી તમારી પ્લેઇડ ક્લાયંટ આઈડી અને ગુપ્ત મૂલ્યો તપાસો,
|
||||
Bank transaction creation error,બેંક વ્યવહાર બનાવવાની ભૂલ,
|
||||
Unit of Measurement,માપન એકમ,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},પંક્તિ # {}: આઇટમ for for માટે વેચવાનો દર તેના {than કરતા ઓછો છે. વેચવાનો દર ઓછામાં ઓછો હોવો જોઈએ}},
|
||||
Fiscal Year {0} Does Not Exist,નાણાકીય વર્ષ {0} અસ્તિત્વમાં નથી,
|
||||
Row # {0}: Returned Item {1} does not exist in {2} {3},પંક્તિ # {0}: પરત કરેલ આઇટમ {1 {{2} {3 in માં અસ્તિત્વમાં નથી,
|
||||
Valuation type charges can not be marked as Inclusive,મૂલ્ય પ્રકારનાં ચાર્જને સમાવિષ્ટ તરીકે ચિહ્નિત કરી શકાતા નથી,
|
||||
@ -9598,8 +9575,60 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,પ્રા
|
||||
Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Row 0 row પંક્તિમાં અગ્રતા માટેનો પ્રતિસાદ સમય {1 Time રિઝોલ્યુશન સમય કરતા વધુ હોઈ શકતો નથી.,
|
||||
{0} is not enabled in {1},{0} {1} માં સક્ષમ નથી,
|
||||
Group by Material Request,સામગ્રી વિનંતી દ્વારા જૂથ,
|
||||
"Row {0}: For Supplier {0}, Email Address is Required to Send Email","પંક્તિ {0}: સપ્લાયર {0} માટે, ઇમેઇલ મોકલવા માટે ઇમેઇલ સરનામું આવશ્યક છે",
|
||||
Email Sent to Supplier {0},સપ્લાયર Supplier 0} ને મોકલો ઇમેઇલ,
|
||||
"The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","પોર્ટલથી અવતરણ માટેની વિનંતીની Disક્સેસ અક્ષમ છે. Allક્સેસને મંજૂરી આપવા માટે, તેને પોર્ટલ સેટિંગ્સમાં સક્ષમ કરો.",
|
||||
Supplier Quotation {0} Created,સપ્લાયર અવતરણ {0. બનાવ્યું,
|
||||
Valid till Date cannot be before Transaction Date,માન્ય તારીખ તારીખ ટ્રાંઝેક્શનની તારીખ પહેલાંની હોઈ શકતી નથી,
|
||||
Unlink Advance Payment on Cancellation of Order,ઓર્ડર રદ કરવા પર અનલિંક એડવાન્સ ચુકવણી,
|
||||
"Simple Python Expression, Example: territory != 'All Territories'","સરળ પાયથોન અભિવ્યક્તિ, ઉદાહરણ: પ્રદેશ! = 'બધા પ્રદેશો'",
|
||||
Sales Contributions and Incentives,વેચાણ ફાળો અને પ્રોત્સાહનો,
|
||||
Sourced by Supplier,સપ્લાયર દ્વારા સોર્ટેડ,
|
||||
Total weightage assigned should be 100%.<br>It is {0},સોંપાયેલું કુલ વજન 100% હોવું જોઈએ.<br> તે {0} છે,
|
||||
Account {0} exists in parent company {1}.,એકાઉન્ટ {0 parent પેરેંટ કંપની} 1} માં અસ્તિત્વમાં છે.,
|
||||
"To overrule this, enable '{0}' in company {1}","તેને ઉથલાવવા માટે, કંપની {1} માં '{0}' સક્ષમ કરો.",
|
||||
Invalid condition expression,અમાન્ય શરત અભિવ્યક્તિ,
|
||||
Please Select a Company First,કૃપા કરીને પહેલા કોઈ કંપની પસંદ કરો,
|
||||
Please Select Both Company and Party Type First,કૃપા કરીને કંપની અને પાર્ટી પ્રકાર બંને પસંદ કરો,
|
||||
Provide the invoice portion in percent,ટકામાં ભરતિયું ભાગ પ્રદાન કરો,
|
||||
Give number of days according to prior selection,પૂર્વ પસંદગી મુજબ દિવસોની સંખ્યા આપો,
|
||||
Email Details,ઇમેઇલ વિગતો,
|
||||
"Select a greeting for the receiver. E.g. Mr., Ms., etc.","પ્રાપ્તકર્તા માટે શુભેચ્છા પસંદ કરો. દા.ત. શ્રી, કુ., વગેરે.",
|
||||
Preview Email,પૂર્વાવલોકન ઇમેઇલ,
|
||||
Please select a Supplier,કૃપા કરીને કોઈ સપ્લાયર પસંદ કરો,
|
||||
Supplier Lead Time (days),સપ્લાયર લીડ સમય (દિવસ),
|
||||
"Home, Work, etc.","ઘર, કાર્ય, વગેરે.",
|
||||
Exit Interview Held On,બહાર નીકળો ઇન્ટરવ્યુ,
|
||||
Condition and formula,સ્થિતિ અને સૂત્ર,
|
||||
Sets 'Target Warehouse' in each row of the Items table.,આઇટમ કોષ્ટકની દરેક પંક્તિમાં 'લક્ષ્ય વેરહાઉસ' સેટ કરો.,
|
||||
Sets 'Source Warehouse' in each row of the Items table.,આઇટમ કોષ્ટકની દરેક પંક્તિમાં 'સોર્સ વેરહાઉસ' સેટ કરો.,
|
||||
POS Register,પોસ નોંધણી,
|
||||
"Can not filter based on POS Profile, if grouped by POS Profile","જો પીઓએસ પ્રોફાઇલ દ્વારા જૂથ થયેલ હોય, તો પીઓએસ પ્રોફાઇલના આધારે ફિલ્ટર કરી શકાતું નથી",
|
||||
"Can not filter based on Customer, if grouped by Customer","જો ગ્રાહક દ્વારા જૂથ થયેલ હોય, તો ગ્રાહકના આધારે ફિલ્ટર કરી શકતા નથી",
|
||||
"Can not filter based on Cashier, if grouped by Cashier","જો કેશિયર દ્વારા જૂથ થયેલ હોય, તો કેશિયરના આધારે ફિલ્ટર કરી શકતા નથી",
|
||||
Payment Method,ચુકવણી પદ્ધતિ,
|
||||
"Can not filter based on Payment Method, if grouped by Payment Method","જો ચુકવણી પદ્ધતિ દ્વારા જૂથ થયેલ હોય, તો ચુકવણી પદ્ધતિના આધારે ફિલ્ટર કરી શકાતું નથી",
|
||||
Supplier Quotation Comparison,સપ્લાયર અવતરણ સરખામણી,
|
||||
Price per Unit (Stock UOM),યુનિટ દીઠ ભાવ (સ્ટોક યુઓએમ),
|
||||
Group by Supplier,સપ્લાયર દ્વારા જૂથ,
|
||||
Group by Item,આઇટમ દ્વારા જૂથ,
|
||||
Remember to set {field_label}. It is required by {regulation}.,{ફીલ્ડ_લેબલ set સેટ કરવાનું યાદ રાખો. તે {નિયમન by દ્વારા આવશ્યક છે.,
|
||||
Enrollment Date cannot be before the Start Date of the Academic Year {0},નોંધણી તારીખ શૈક્ષણિક વર્ષ Date 0} ની શરૂઆતની તારીખની પહેલાં હોઇ શકે નહીં,
|
||||
Enrollment Date cannot be after the End Date of the Academic Term {0},નોંધણી તારીખ શૈક્ષણિક મુદતની સમાપ્તિ તારીખ be 0 after પછીની હોઈ શકતી નથી,
|
||||
Enrollment Date cannot be before the Start Date of the Academic Term {0},નોંધણી તારીખ શૈક્ષણિક મુદતની પ્રારંભ તારીખ before 0 before પહેલાંની હોઈ શકતી નથી,
|
||||
Posting future transactions are not allowed due to Immutable Ledger,અનિયમિત લેજરને કારણે પોસ્ટિંગ ભવિષ્યના વ્યવહારોની મંજૂરી નથી,
|
||||
Future Posting Not Allowed,ભાવિ પોસ્ટિંગની મંજૂરી નથી,
|
||||
"To enable Capital Work in Progress Accounting, ","પ્રગતિ એકાઉન્ટિંગમાં કેપિટલ વર્કને સક્ષમ કરવા માટે,",
|
||||
you must select Capital Work in Progress Account in accounts table,તમારે એકાઉન્ટ્સ ટેબલમાં પ્રગતિ ખાતામાં મૂડી કાર્ય પસંદ કરવું આવશ્યક છે,
|
||||
You can also set default CWIP account in Company {},તમે કંપની default in માં ડિફોલ્ટ CWIP એકાઉન્ટ પણ સેટ કરી શકો છો.,
|
||||
The Request for Quotation can be accessed by clicking on the following button,વિનંતી માટેની વિનંતી નીચેના બટન પર ક્લિક કરીને .ક્સેસ કરી શકાય છે,
|
||||
Regards,સાદર,
|
||||
Please click on the following button to set your new password,કૃપા કરીને તમારો નવો પાસવર્ડ સેટ કરવા માટે નીચેના બટન પર ક્લિક કરો,
|
||||
Update Password,પાસવર્ડ અપડેટ કરો,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},પંક્તિ # {}: આઇટમ for for માટે વેચવાનો દર તેના {than કરતા ઓછો છે. {Lling નું વેચાણ ઓછામાં ઓછું હોવું જોઈએ {},
|
||||
You can alternatively disable selling price validation in {} to bypass this validation.,આ માન્યતાને બાયપાસ કરવા માટે તમે વૈકલ્પિક રૂપે વેચાણ મૂલ્ય માન્યતાને {in માં અક્ષમ કરી શકો છો.,
|
||||
Invalid Selling Price,અમાન્ય વેચાણ કિંમત,
|
||||
Address needs to be linked to a Company. Please add a row for Company in the Links table.,સરનામાંને કંપની સાથે જોડવાની જરૂર છે. કૃપા કરીને લિંક્સ કોષ્ટકમાં કંપની માટે એક પંક્તિ ઉમેરો.,
|
||||
Company Not Linked,કંપની લિંક્ટેડ નથી,
|
||||
Import Chart of Accounts from CSV / Excel files,સીએસવી / એક્સેલ ફાઇલોથી એકાઉન્ટ્સનું ચાર્ટ આયાત કરો,
|
||||
Completed Qty cannot be greater than 'Qty to Manufacture',પૂર્ણ થયેલી ક્યુટી 'ક્યૂટી ટુ મેન્યુફેક્ચરિંગ' કરતા મોટી ન હોઈ શકે,
|
||||
"Row {0}: For Supplier {1}, Email Address is Required to send an email","પંક્તિ {0}: સપ્લાયર {1} માટે, ઇમેઇલ મોકલવા માટે ઇમેઇલ સરનામું આવશ્યક છે",
|
||||
|
Can't render this file because it is too large.
|
@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,תשלום מ
|
||||
Chargeble,חיוב מטען,
|
||||
Charges are updated in Purchase Receipt against each item,חיובים מתעדכנות בקבלת רכישה כנגד כל פריט,
|
||||
"Charges will be distributed proportionately based on item qty or amount, as per your selection","תשלום נוסף שיחולק לפי אופן יחסי על כמות פריט או סכום, בהתאם לבחירתך",
|
||||
Chart Of Accounts,תרשים של חשבונות,
|
||||
Chart of Cost Centers,תרשים של מרכזי עלות,
|
||||
Check all,סמן הכל,
|
||||
Checkout,לבדוק,
|
||||
@ -581,7 +580,6 @@ Company {0} does not exist,החברה {0} לא קיים,
|
||||
Compensatory Off,Off המפצה,
|
||||
Compensatory leave request days not in valid holidays,ימי בקשת חופשת פיצויים שאינם בחגים תקפים,
|
||||
Complaint,תְלוּנָה,
|
||||
Completed Qty can not be greater than 'Qty to Manufacture',"כמות שהושלמה לא יכולה להיות גדולה מ 'כמות לייצור """,
|
||||
Completion Date,תאריך סיום,
|
||||
Computer,מחשב,
|
||||
Condition,מצב,
|
||||
@ -2033,7 +2031,6 @@ Please select Category first,אנא בחר תחילה קטגוריה,
|
||||
Please select Charge Type first,אנא בחר Charge סוג ראשון,
|
||||
Please select Company,אנא בחר חברה,
|
||||
Please select Company and Designation,אנא בחר חברה וייעוד,
|
||||
Please select Company and Party Type first,אנא בחר סוג החברה והמפלגה ראשון,
|
||||
Please select Company and Posting Date to getting entries,אנא בחר חברה ותאריך פרסום לקבלת רשומות,
|
||||
Please select Company first,אנא בחר החברה ראשונה,
|
||||
Please select Completion Date for Completed Asset Maintenance Log,אנא בחר תאריך סיום עבור יומן תחזוקת הנכסים שהושלם,
|
||||
@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,שמו של
|
||||
The name of your company for which you are setting up this system.,שמה של החברה שלך שאתה מגדיר את המערכת הזאת.,
|
||||
The number of shares and the share numbers are inconsistent,מספר המניות ומספרי המניות אינם עקביים,
|
||||
The payment gateway account in plan {0} is different from the payment gateway account in this payment request,חשבון שער התשלום בתכנית {0} שונה מחשבון שער התשלום בבקשת תשלום זו,
|
||||
The request for quotation can be accessed by clicking on the following link,ניתן לגשת לבקשה להצעת מחיר על ידי לחיצה על הקישור הבא,
|
||||
The selected BOMs are not for the same item,בומס שנבחר אינו תמורת אותו הפריט,
|
||||
The selected item cannot have Batch,הפריט שנבחר לא יכול להיות אצווה,
|
||||
The seller and the buyer cannot be the same,המוכר והקונה לא יכולים להיות זהים,
|
||||
@ -3130,7 +3126,6 @@ Total contribution percentage should be equal to 100,אחוז התרומה הכ
|
||||
Total flexible benefit component amount {0} should not be less than max benefits {1},הסכום הכולל של רכיב ההטבה הגמיש {0} לא צריך להיות פחות מההטבות המקסימליות {1},
|
||||
Total hours: {0},סה"כ שעות: {0},
|
||||
Total leaves allocated is mandatory for Leave Type {0},סה"כ עלים שהוקצו חובה עבור סוג חופשה {0},
|
||||
Total weightage assigned should be 100%. It is {0},"weightage סה""כ הוקצה צריך להיות 100%. זה {0}",
|
||||
Total working hours should not be greater than max working hours {0},סך שעות העבודה לא צריך להיות גדול משעות העבודה המקסימליות {0},
|
||||
Total {0} ({1}),סה"כ {0} ({1}),
|
||||
"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","סה"כ {0} לכל הפריטים הוא אפס, יתכן שתשנה את 'הפץ חיובים על סמך'",
|
||||
@ -3544,7 +3539,6 @@ Company GSTIN,חברת GSTIN,
|
||||
Company field is required,נדרש שדה חברה,
|
||||
Creating Dimensions...,יוצר מימדים ...,
|
||||
Duplicate entry against the item code {0} and manufacturer {1},ערך כפול מול קוד הפריט {0} והיצרן {1},
|
||||
Import Chart Of Accounts from CSV / Excel files,ייבא תרשים חשבונות מקבצי CSV / Excel,
|
||||
Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTIN לא חוקי! הקלט שהזנת אינו תואם לפורמט GSTIN עבור מחזיקי UIN או ספקי שירות OIDAR שאינם תושבים,
|
||||
Invoice Grand Total,חשבונית גרנד סה"כ,
|
||||
Last carbon check date cannot be a future date,תאריך בדיקת הפחמן האחרון לא יכול להיות תאריך עתידי,
|
||||
@ -3921,7 +3915,6 @@ Plaid authentication error,שגיאת אימות משובצת,
|
||||
Plaid public token error,שגיאת אסימון ציבורי משובץ,
|
||||
Plaid transactions sync error,שגיאת סנכרון של עסקאות משובצות,
|
||||
Please check the error log for details about the import errors,אנא בדוק ביומן השגיאות לקבלת פרטים אודות שגיאות הייבוא,
|
||||
Please click on the following link to set your new password,אנא לחץ על הקישור הבא כדי להגדיר את הסיסמה החדשה שלך,
|
||||
Please create <b>DATEV Settings</b> for Company <b>{}</b>.,אנא צור <b>הגדרות DATEV</b> לחברה <b>{}</b> .,
|
||||
Please create adjustment Journal Entry for amount {0} ,אנא צור ערך יומן התאמה לסכום {0},
|
||||
Please do not create more than 500 items at a time,נא לא ליצור יותר מ -500 פריטים בכל פעם,
|
||||
@ -3997,6 +3990,7 @@ Refreshing,מְרַעֲנֵן,
|
||||
Release date must be in the future,תאריך השחרור חייב להיות בעתיד,
|
||||
Relieving Date must be greater than or equal to Date of Joining,תאריך הקלה חייב להיות גדול או שווה לתאריך ההצטרפות,
|
||||
Rename,שינוי שם,
|
||||
Rename Not Allowed,שינוי שם אסור,
|
||||
Repayment Method is mandatory for term loans,שיטת ההחזר הינה חובה עבור הלוואות לתקופה,
|
||||
Repayment Start Date is mandatory for term loans,מועד התחלת ההחזר הוא חובה עבור הלוואות לתקופה,
|
||||
Report Item,פריט דוח,
|
||||
@ -4043,7 +4037,6 @@ Search results for,תוצאות חיפוש עבור,
|
||||
Select All,בחר הכל,
|
||||
Select Difference Account,בחר חשבון ההבדל,
|
||||
Select a Default Priority.,בחר עדיפות ברירת מחדל.,
|
||||
Select a Supplier from the Default Supplier List of the items below.,בחר ספק מרשימת ספקי ברירת המחדל של הפריטים שלהלן.,
|
||||
Select a company,בחר חברה,
|
||||
Select finance book for the item {0} at row {1},בחר ספר פיננסים לפריט {0} בשורה {1},
|
||||
Select only one Priority as Default.,בחר עדיפות אחת בלבד כברירת מחדל.,
|
||||
@ -4247,7 +4240,6 @@ Yes,כן,
|
||||
Actual ,בפועל,
|
||||
Add to cart,הוסף לסל,
|
||||
Budget,תקציב,
|
||||
Chart Of Accounts Importer,תרשים יבואן חשבונות,
|
||||
Chart of Accounts,תרשים של חשבונות,
|
||||
Customer database.,מאגר מידע על לקוחות.,
|
||||
Days Since Last order,ימים מאז הזמנה אחרונה,
|
||||
@ -4546,7 +4538,6 @@ Role that is allowed to submit transactions that exceed credit limits set.,תפ
|
||||
Check Supplier Invoice Number Uniqueness,ספק בדוק חשבונית מספר הייחוד,
|
||||
Make Payment via Journal Entry,בצע תשלום באמצעות הזנת יומן,
|
||||
Unlink Payment on Cancellation of Invoice,בטל את קישור התשלום בביטול החשבונית,
|
||||
Unlink Advance Payment on Cancelation of Order,בטל קישור מקדמה בעת ביטול ההזמנה,
|
||||
Book Asset Depreciation Entry Automatically,הזן פחת נכסי ספר באופן אוטומטי,
|
||||
Automatically Add Taxes and Charges from Item Tax Template,הוסף אוטומטית מיסים וחיובים מתבנית מס פריט,
|
||||
Automatically Fetch Payment Terms,אחזר אוטומטית תנאי תשלום,
|
||||
@ -4940,7 +4931,6 @@ Closing Account Head,סגירת חשבון ראש,
|
||||
POS Customer Group,קבוצת לקוחות של קופה,
|
||||
POS Field,שדה קופה,
|
||||
POS Item Group,קבוצת פריטי קופה,
|
||||
[Select],[בחר],
|
||||
Company Address,כתובת החברה,
|
||||
Update Stock,בורסת עדכון,
|
||||
Ignore Pricing Rule,התעלם כלל תמחור,
|
||||
@ -6481,7 +6471,6 @@ HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM.,
|
||||
Appraisal Template,הערכת תבנית,
|
||||
For Employee Name,לשם עובדים,
|
||||
Goals,מטרות,
|
||||
Calculate Total Score,חישוב ציון הכולל,
|
||||
Total Score (Out of 5),ציון כולל (מתוך 5),
|
||||
"Any other remarks, noteworthy effort that should go in the records.","כל דברים אחרים, מאמץ ראוי לציון שצריכה ללכת ברשומות.",
|
||||
Appraisal Goal,מטרת הערכה,
|
||||
@ -6599,11 +6588,6 @@ Relieving Date,תאריך להקלה,
|
||||
Reason for Leaving,סיבה להשארה,
|
||||
Leave Encashed?,השאר Encashed?,
|
||||
Encashment Date,תאריך encashment,
|
||||
Exit Interview Details,פרטי ראיון יציאה,
|
||||
Held On,במוחזק,
|
||||
Reason for Resignation,סיבה להתפטרות,
|
||||
Better Prospects,סיכויים טובים יותר,
|
||||
Health Concerns,חששות בריאות,
|
||||
New Workplace,חדש במקום העבודה,
|
||||
HR-EAD-.YYYY.-,HR-EAD-.YYYY.-,
|
||||
Returned Amount,הסכום שהוחזר,
|
||||
@ -8239,9 +8223,6 @@ Landed Cost Help,עזרה עלות נחתה,
|
||||
Manufacturers used in Items,יצרנים השתמשו בפריטים,
|
||||
Limited to 12 characters,מוגבל ל -12 תווים,
|
||||
MAT-MR-.YYYY.-,MAT-MR-.YYYY.-,
|
||||
Set Warehouse,הגדר מחסן,
|
||||
Sets 'For Warehouse' in each row of the Items table.,מגדיר 'עבור מחסן' בכל שורה בטבלת הפריטים.,
|
||||
Requested For,ביקש ל,
|
||||
Partially Ordered,הוזמן חלקית,
|
||||
Transferred,הועבר,
|
||||
% Ordered,% מסודר,
|
||||
@ -8690,8 +8671,6 @@ Material Request Warehouse,מחסן בקשת חומרים,
|
||||
Select warehouse for material requests,בחר מחסן לבקשות חומר,
|
||||
Transfer Materials For Warehouse {0},העברת חומרים למחסן {0},
|
||||
Production Plan Material Request Warehouse,מחסן בקשת חומר לתכנית ייצור,
|
||||
Set From Warehouse,מוגדר מהמחסן,
|
||||
Source Warehouse (Material Transfer),מחסן מקור (העברת חומרים),
|
||||
Sets 'Source Warehouse' in each row of the items table.,מגדיר 'מחסן מקור' בכל שורה בטבלת הפריטים.,
|
||||
Sets 'Target Warehouse' in each row of the items table.,מגדיר 'מחסן יעד' בכל שורה בטבלת הפריטים.,
|
||||
Show Cancelled Entries,הצג ערכים שבוטלו,
|
||||
@ -9157,7 +9136,6 @@ Professional Tax,מס מקצועי,
|
||||
Is Income Tax Component,הוא רכיב מס הכנסה,
|
||||
Component properties and references ,מאפייני רכיבים והפניות,
|
||||
Additional Salary ,שכר נוסף,
|
||||
Condtion and formula,הולכה ונוסחה,
|
||||
Unmarked days,ימים לא מסומנים,
|
||||
Absent Days,ימי נעדרים,
|
||||
Conditions and Formula variable and example,משתנה תנאי ונוסחה ודוגמא,
|
||||
@ -9444,7 +9422,6 @@ Plaid invalid request error,שגיאת בקשה לא חוקית משובצת,
|
||||
Please check your Plaid client ID and secret values,אנא בדוק את מזהה הלקוח המשובץ שלך ואת הערכים הסודיים שלך,
|
||||
Bank transaction creation error,שגיאה ביצירת עסקאות בנק,
|
||||
Unit of Measurement,יחידת מידה,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},שורה מספר {}: שיעור המכירה של הפריט {} נמוך מ- {} שלו. שיעור המכירה צריך להיות לפחות {},
|
||||
Fiscal Year {0} Does Not Exist,שנת הכספים {0} לא קיימת,
|
||||
Row # {0}: Returned Item {1} does not exist in {2} {3},שורה מספר {0}: פריט שהוחזר {1} אינו קיים ב {2} {3},
|
||||
Valuation type charges can not be marked as Inclusive,לא ניתן לסמן חיובים מסוג הערכת שווי כולל,
|
||||
@ -9598,8 +9575,60 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,הגדר זמ
|
||||
Response Time for {0} priority in row {1} can't be greater than Resolution Time.,זמן התגובה ל {0} עדיפות בשורה {1} לא יכול להיות גדול משעת הרזולוציה.,
|
||||
{0} is not enabled in {1},{0} אינו מופעל ב- {1},
|
||||
Group by Material Request,קבץ לפי בקשת חומרים,
|
||||
"Row {0}: For Supplier {0}, Email Address is Required to Send Email","שורה {0}: עבור הספק {0}, כתובת הדוא"ל נדרשת כדי לשלוח דוא"ל",
|
||||
Email Sent to Supplier {0},אימייל נשלח לספק {0},
|
||||
"The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","הגישה לבקשה להצעת מחיר מהפורטל אינה זמינה. כדי לאפשר גישה, הפעל אותו בהגדרות הפורטל.",
|
||||
Supplier Quotation {0} Created,הצעת מחיר לספק {0} נוצרה,
|
||||
Valid till Date cannot be before Transaction Date,תוקף עד תאריך לא יכול להיות לפני תאריך העסקה,
|
||||
Unlink Advance Payment on Cancellation of Order,בטל קישור של תשלום מקדמה בביטול ההזמנה,
|
||||
"Simple Python Expression, Example: territory != 'All Territories'","ביטוי פייתון פשוט, דוגמה: טריטוריה! = 'כל השטחים'",
|
||||
Sales Contributions and Incentives,תרומות מכירות ותמריצים,
|
||||
Sourced by Supplier,מקור הספק,
|
||||
Total weightage assigned should be 100%.<br>It is {0},המשקל הכללי שהוקצה צריך להיות 100%.<br> זה {0},
|
||||
Account {0} exists in parent company {1}.,החשבון {0} קיים בחברת האם {1}.,
|
||||
"To overrule this, enable '{0}' in company {1}","כדי לבטל את זה, הפעל את '{0}' בחברה {1}",
|
||||
Invalid condition expression,ביטוי מצב לא חוקי,
|
||||
Please Select a Company First,אנא בחר חברה ראשונה,
|
||||
Please Select Both Company and Party Type First,אנא בחר ראשית הן סוג החברה והן סוג המפלגה,
|
||||
Provide the invoice portion in percent,ספק את חלק החשבונית באחוזים,
|
||||
Give number of days according to prior selection,תן מספר ימים על פי בחירה מוקדמת,
|
||||
Email Details,פרטי דוא"ל,
|
||||
"Select a greeting for the receiver. E.g. Mr., Ms., etc.","בחר ברכה למקלט. למשל מר, גב 'וכו'.",
|
||||
Preview Email,תצוגה מקדימה של אימייל,
|
||||
Please select a Supplier,אנא בחר ספק,
|
||||
Supplier Lead Time (days),זמן עופרת ספק (ימים),
|
||||
"Home, Work, etc.","בית, עבודה וכו '.",
|
||||
Exit Interview Held On,ראיון יציאה נערך,
|
||||
Condition and formula,מצב ונוסחה,
|
||||
Sets 'Target Warehouse' in each row of the Items table.,מגדיר 'מחסן יעד' בכל שורה בטבלת הפריטים.,
|
||||
Sets 'Source Warehouse' in each row of the Items table.,מגדיר 'מחסן מקור' בכל שורה בטבלת הפריטים.,
|
||||
POS Register,הרשמת קופה,
|
||||
"Can not filter based on POS Profile, if grouped by POS Profile","לא ניתן לסנן על סמך פרופיל קופה, אם מקובצים לפי פרופיל קופה",
|
||||
"Can not filter based on Customer, if grouped by Customer","לא ניתן לסנן על בסיס לקוח, אם מקובץ לפי לקוח",
|
||||
"Can not filter based on Cashier, if grouped by Cashier","לא ניתן לסנן על בסיס קופאי, אם מקובץ לפי קופאית",
|
||||
Payment Method,אמצעי תשלום,
|
||||
"Can not filter based on Payment Method, if grouped by Payment Method","לא ניתן לסנן על בסיס אמצעי תשלום, אם מקובצים לפי אמצעי תשלום",
|
||||
Supplier Quotation Comparison,השוואת הצעות מחיר לספקים,
|
||||
Price per Unit (Stock UOM),מחיר ליחידה (UOM מלאי),
|
||||
Group by Supplier,קבץ לפי ספק,
|
||||
Group by Item,קבץ לפי פריט,
|
||||
Remember to set {field_label}. It is required by {regulation}.,זכור להגדיר את {field_label}. זה נדרש על ידי {Regulation}.,
|
||||
Enrollment Date cannot be before the Start Date of the Academic Year {0},תאריך ההרשמה לא יכול להיות לפני תאריך ההתחלה של השנה האקדמית {0},
|
||||
Enrollment Date cannot be after the End Date of the Academic Term {0},תאריך ההרשמה לא יכול להיות אחרי תאריך הסיום של הקדנציה האקדמית {0},
|
||||
Enrollment Date cannot be before the Start Date of the Academic Term {0},תאריך ההרשמה לא יכול להיות לפני תאריך ההתחלה של הקדנציה האקדמית {0},
|
||||
Posting future transactions are not allowed due to Immutable Ledger,לא ניתן לפרסם עסקאות עתידיות בגלל חשבונאות בלתי ניתנות לשינוי,
|
||||
Future Posting Not Allowed,פרסום עתידי אינו מותר,
|
||||
"To enable Capital Work in Progress Accounting, ","כדי לאפשר חשבונאות בביצוע עבודות הון,",
|
||||
you must select Capital Work in Progress Account in accounts table,עליך לבחור חשבון עבודות הון בתהליך בטבלת החשבונות,
|
||||
You can also set default CWIP account in Company {},ניתן גם להגדיר חשבון CWIP המוגדר כברירת מחדל בחברה {},
|
||||
The Request for Quotation can be accessed by clicking on the following button,ניתן לגשת לבקשה להצעת מחיר על ידי לחיצה על הכפתור הבא,
|
||||
Regards,בברכה,
|
||||
Please click on the following button to set your new password,אנא לחץ על הכפתור הבא כדי להגדיר את הסיסמה החדשה שלך,
|
||||
Update Password,עדכן סיסמה,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},שורה מספר {}: שיעור המכירה של הפריט {} נמוך מ- {} שלו. המכירה {} צריכה להיות לפחות {},
|
||||
You can alternatively disable selling price validation in {} to bypass this validation.,לחלופין תוכל להשבית את אימות מחיר המכירה ב- {} כדי לעקוף את האימות הזה.,
|
||||
Invalid Selling Price,מחיר מכירה לא חוקי,
|
||||
Address needs to be linked to a Company. Please add a row for Company in the Links table.,כתובת צריכה להיות מקושרת לחברה. אנא הוסף שורה לחברה בטבלת הקישורים.,
|
||||
Company Not Linked,חברה לא מקושרת,
|
||||
Import Chart of Accounts from CSV / Excel files,ייבא תרשים חשבונות מקבצי CSV / Excel,
|
||||
Completed Qty cannot be greater than 'Qty to Manufacture',כמות שהושלמה לא יכולה להיות גדולה מ- 'כמות לייצור',
|
||||
"Row {0}: For Supplier {1}, Email Address is Required to send an email","שורה {0}: לספק {1}, נדרשת כתובת דוא"ל כדי לשלוח דוא"ל",
|
||||
|
Can't render this file because it is too large.
|
@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,प्रक
|
||||
Chargeble,Chargeble,
|
||||
Charges are updated in Purchase Receipt against each item,प्रभार प्रत्येक आइटम के खिलाफ खरीद रसीद में नवीनीकृत कर रहे हैं,
|
||||
"Charges will be distributed proportionately based on item qty or amount, as per your selection","प्रभार अनुपात में अपने चयन के अनुसार, मद मात्रा या राशि के आधार पर वितरित किया जाएगा",
|
||||
Chart Of Accounts,खातों का चार्ट,
|
||||
Chart of Cost Centers,लागत केंद्र के चार्ट,
|
||||
Check all,सभी की जांच करो,
|
||||
Checkout,चेक आउट,
|
||||
@ -581,7 +580,6 @@ Company {0} does not exist,कंपनी {0} मौजूद नहीं ह
|
||||
Compensatory Off,प्रतिपूरक बंद,
|
||||
Compensatory leave request days not in valid holidays,मुआवजा छोड़ने के अनुरोध दिन वैध छुट्टियों में नहीं,
|
||||
Complaint,शिकायत,
|
||||
Completed Qty can not be greater than 'Qty to Manufacture',की तुलना में 'मात्रा निर्माण करने के लिए' पूरी की गई मात्रा अधिक नहीं हो सकता,
|
||||
Completion Date,पूरा करने की तिथि,
|
||||
Computer,कंप्यूटर,
|
||||
Condition,शर्त,
|
||||
@ -2033,7 +2031,6 @@ Please select Category first,प्रथम श्रेणी का चयन
|
||||
Please select Charge Type first,प्रभारी प्रकार पहले का चयन करें,
|
||||
Please select Company,कंपनी का चयन करें,
|
||||
Please select Company and Designation,कृपया कंपनी और पदनाम का चयन करें,
|
||||
Please select Company and Party Type first,पहले कंपनी और पार्टी के प्रकार का चयन करें,
|
||||
Please select Company and Posting Date to getting entries,कृपया प्रविष्टियां प्राप्त करने के लिए कंपनी और पोस्टिंग तिथि का चयन करें,
|
||||
Please select Company first,पहले कंपनी का चयन करें,
|
||||
Please select Completion Date for Completed Asset Maintenance Log,कृपया पूर्ण संपत्ति रखरखाव लॉग के लिए समापन तिथि का चयन करें,
|
||||
@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,संस्
|
||||
The name of your company for which you are setting up this system.,"आप इस प्रणाली स्थापित कर रहे हैं , जिसके लिए आपकी कंपनी का नाम .",
|
||||
The number of shares and the share numbers are inconsistent,शेयरों की संख्या और शेयर संख्याएं असंगत हैं,
|
||||
The payment gateway account in plan {0} is different from the payment gateway account in this payment request,योजना {0} में भुगतान गेटवे खाता इस भुगतान अनुरोध में भुगतान गेटवे खाते से अलग है,
|
||||
The request for quotation can be accessed by clicking on the following link,उद्धरण के लिए अनुरोध नीचे दिए गए लिंक पर क्लिक करके पहुँचा जा सकता है,
|
||||
The selected BOMs are not for the same item,चुने गए BOMs एक ही मद के लिए नहीं हैं,
|
||||
The selected item cannot have Batch,चयनित आइटम बैच नहीं हो सकता,
|
||||
The seller and the buyer cannot be the same,विक्रेता और खरीदार एक ही नहीं हो सकता,
|
||||
@ -3130,7 +3126,6 @@ Total contribution percentage should be equal to 100,कुल योगदा
|
||||
Total flexible benefit component amount {0} should not be less than max benefits {1},कुल लचीला लाभ घटक राशि {0} अधिकतम लाभ से कम नहीं होनी चाहिए {1},
|
||||
Total hours: {0},कुल घंटे: {0},
|
||||
Total leaves allocated is mandatory for Leave Type {0},आवंटित कुल पत्तियां छुट्टी प्रकार {0} के लिए अनिवार्य है,
|
||||
Total weightage assigned should be 100%. It is {0},कुल आवंटित वेटेज 100 % होना चाहिए . यह है {0},
|
||||
Total working hours should not be greater than max working hours {0},कुल काम के घंटे अधिकतम काम के घंटे से अधिक नहीं होना चाहिए {0},
|
||||
Total {0} ({1}),कुल {0} ({1}),
|
||||
"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","कुल {0} सभी मदों के लिए शून्य है, तो आप 'के आधार पर शुल्क वितरित' परिवर्तन होना चाहिए हो सकता है",
|
||||
@ -3544,7 +3539,6 @@ Company GSTIN,कंपनी जीएसटीआईएन,
|
||||
Company field is required,कंपनी क्षेत्र की आवश्यकता है,
|
||||
Creating Dimensions...,आयाम बनाना ...,
|
||||
Duplicate entry against the item code {0} and manufacturer {1},आइटम कोड {0} और निर्माता {1} के खिलाफ डुप्लिकेट प्रविष्टि,
|
||||
Import Chart Of Accounts from CSV / Excel files,CSV / Excel फ़ाइलों से खातों का आयात चार्ट,
|
||||
Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,अमान्य GSTIN! आपके द्वारा दर्ज किया गया इनपुट UIN धारकों या गैर-निवासी OIDAR सेवा प्रदाताओं के लिए GSTIN प्रारूप से मेल नहीं खाता है,
|
||||
Invoice Grand Total,इनवॉइस ग्रैंड टोटल,
|
||||
Last carbon check date cannot be a future date,अंतिम कार्बन जांच की तारीख भविष्य की तारीख नहीं हो सकती,
|
||||
@ -3921,7 +3915,6 @@ Plaid authentication error,प्लेड प्रमाणीकरण त्
|
||||
Plaid public token error,प्लेड पब्लिक टोकन एरर,
|
||||
Plaid transactions sync error,प्लेड ट्रांजेक्शन सिंक एरर,
|
||||
Please check the error log for details about the import errors,कृपया आयात त्रुटियों के बारे में विवरण के लिए त्रुटि लॉग की जांच करें,
|
||||
Please click on the following link to set your new password,अपना नया पासवर्ड सेट करने के लिए नीचे दिए गए लिंक पर क्लिक करें,
|
||||
Please create <b>DATEV Settings</b> for Company <b>{}</b>.,कृपया कंपनी <b>{} के</b> लिए <b>DATEV सेटिंग</b> बनाएं।,
|
||||
Please create adjustment Journal Entry for amount {0} ,कृपया राशि {0} के लिए समायोजन जर्नल प्रविष्टि बनाएँ,
|
||||
Please do not create more than 500 items at a time,कृपया एक बार में 500 से अधिक आइटम न बनाएं,
|
||||
@ -3997,6 +3990,7 @@ Refreshing,ताज़ा किया जा रहा,
|
||||
Release date must be in the future,रिलीज की तारीख भविष्य में होनी चाहिए,
|
||||
Relieving Date must be greater than or equal to Date of Joining,"राहत की तारीख, ज्वाइनिंग की तारीख से अधिक या उसके बराबर होनी चाहिए",
|
||||
Rename,नाम बदलें,
|
||||
Rename Not Allowed,नाम नहीं दिया गया,
|
||||
Repayment Method is mandatory for term loans,सावधि ऋण के लिए चुकौती विधि अनिवार्य है,
|
||||
Repayment Start Date is mandatory for term loans,सावधि ऋण के लिए चुकौती प्रारंभ तिथि अनिवार्य है,
|
||||
Report Item,वस्तु की सूचना,
|
||||
@ -4043,7 +4037,6 @@ Search results for,के लिए खोज परिणाम,
|
||||
Select All,सभी का चयन,
|
||||
Select Difference Account,अंतर खाता चुनें,
|
||||
Select a Default Priority.,एक डिफ़ॉल्ट प्राथमिकता चुनें।,
|
||||
Select a Supplier from the Default Supplier List of the items below.,नीचे दी गई वस्तुओं की डिफ़ॉल्ट आपूर्तिकर्ता सूची से एक आपूर्तिकर्ता का चयन करें।,
|
||||
Select a company,एक कंपनी का चयन करें,
|
||||
Select finance book for the item {0} at row {1},पंक्ति {1} पर आइटम {0} के लिए वित्त पुस्तक चुनें,
|
||||
Select only one Priority as Default.,डिफ़ॉल्ट के रूप में केवल एक प्राथमिकता का चयन करें।,
|
||||
@ -4247,7 +4240,6 @@ Yes,हाँ,
|
||||
Actual ,वास्तविक,
|
||||
Add to cart,कार्ट में जोड़ें,
|
||||
Budget,बजट,
|
||||
Chart Of Accounts Importer,लेखा आयातक का चार्ट,
|
||||
Chart of Accounts,लेखा जोखा का व्यौरा,
|
||||
Customer database.,ग्राहक डेटाबेस।,
|
||||
Days Since Last order,दिनों से पिछले आदेश,
|
||||
@ -4546,7 +4538,6 @@ Role that is allowed to submit transactions that exceed credit limits set.,न
|
||||
Check Supplier Invoice Number Uniqueness,चेक आपूर्तिकर्ता चालान संख्या अद्वितीयता,
|
||||
Make Payment via Journal Entry,जर्नल प्रविष्टि के माध्यम से भुगतान करने के,
|
||||
Unlink Payment on Cancellation of Invoice,चालान को रद्द करने पर भुगतान अनलिंक,
|
||||
Unlink Advance Payment on Cancelation of Order,आदेश को रद्द करने पर अग्रिम भुगतान अनलिंक करें,
|
||||
Book Asset Depreciation Entry Automatically,पुस्तक परिसंपत्ति मूल्यह्रास प्रविष्टि स्वचालित रूप से,
|
||||
Automatically Add Taxes and Charges from Item Tax Template,आइटम टैक्स टेम्पलेट से स्वचालित रूप से टैक्स और शुल्क जोड़ें,
|
||||
Automatically Fetch Payment Terms,स्वचालित रूप से भुगतान शर्तें प्राप्त करें,
|
||||
@ -4940,7 +4931,6 @@ Closing Account Head,बंद लेखाशीर्ष,
|
||||
POS Customer Group,पीओएस ग्राहक समूह,
|
||||
POS Field,पीओएस फील्ड,
|
||||
POS Item Group,पीओएस मद समूह,
|
||||
[Select],[ चुनें ],
|
||||
Company Address,कंपनी का पता,
|
||||
Update Stock,स्टॉक अद्यतन,
|
||||
Ignore Pricing Rule,मूल्य निर्धारण नियम की अनदेखी,
|
||||
@ -6481,7 +6471,6 @@ HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM।,
|
||||
Appraisal Template,मूल्यांकन टेम्पलेट,
|
||||
For Employee Name,कर्मचारी का नाम,
|
||||
Goals,लक्ष्य,
|
||||
Calculate Total Score,कुल स्कोर की गणना,
|
||||
Total Score (Out of 5),कुल स्कोर (5 से बाहर),
|
||||
"Any other remarks, noteworthy effort that should go in the records.","किसी भी अन्य टिप्पणी, अभिलेखों में जाना चाहिए कि उल्लेखनीय प्रयास।",
|
||||
Appraisal Goal,मूल्यांकन लक्ष्य,
|
||||
@ -6599,11 +6588,6 @@ Relieving Date,तिथि राहत,
|
||||
Reason for Leaving,छोड़ने के लिए कारण,
|
||||
Leave Encashed?,भुनाया छोड़ दो?,
|
||||
Encashment Date,नकदीकरण तिथि,
|
||||
Exit Interview Details,साक्षात्कार विवरण से बाहर निकलें,
|
||||
Held On,पर Held,
|
||||
Reason for Resignation,इस्तीफे का कारण,
|
||||
Better Prospects,बेहतर संभावनाओं,
|
||||
Health Concerns,स्वास्थ्य चिंताएं,
|
||||
New Workplace,नए कार्यस्थल,
|
||||
HR-EAD-.YYYY.-,मानव संसाधन-EAD-.YYYY.-,
|
||||
Returned Amount,लौटाई गई राशि,
|
||||
@ -8239,9 +8223,6 @@ Landed Cost Help,उतरा लागत सहायता,
|
||||
Manufacturers used in Items,वस्तुओं में इस्तेमाल किया निर्माता,
|
||||
Limited to 12 characters,12 अक्षरों तक सीमित,
|
||||
MAT-MR-.YYYY.-,मेट-एमआर .YYYY.-,
|
||||
Set Warehouse,वेयरहाउस सेट करें,
|
||||
Sets 'For Warehouse' in each row of the Items table.,आइटम तालिका की प्रत्येक पंक्ति में 'वेयरहाउस के लिए' सेट करता है।,
|
||||
Requested For,के लिए अनुरोध,
|
||||
Partially Ordered,आंशिक रूप से आदेश दिया गया,
|
||||
Transferred,का तबादला,
|
||||
% Ordered,% का आदेश दिया,
|
||||
@ -8690,8 +8671,6 @@ Material Request Warehouse,माल अनुरोध गोदाम,
|
||||
Select warehouse for material requests,भौतिक अनुरोधों के लिए वेयरहाउस का चयन करें,
|
||||
Transfer Materials For Warehouse {0},गोदाम {0} के लिए स्थानांतरण सामग्री,
|
||||
Production Plan Material Request Warehouse,उत्पादन योजना सामग्री अनुरोध गोदाम,
|
||||
Set From Warehouse,वेयरहाउस से सेट करें,
|
||||
Source Warehouse (Material Transfer),स्रोत वेयरहाउस (सामग्री स्थानांतरण),
|
||||
Sets 'Source Warehouse' in each row of the items table.,आइटम तालिका की प्रत्येक पंक्ति में 'स्रोत वेयरहाउस' सेट करता है।,
|
||||
Sets 'Target Warehouse' in each row of the items table.,आइटम तालिका की प्रत्येक पंक्ति में 'लक्ष्य वेयरहाउस' सेट करता है।,
|
||||
Show Cancelled Entries,रद्द प्रविष्टियाँ दिखाएँ,
|
||||
@ -9157,7 +9136,6 @@ Professional Tax,वृत्ति कर,
|
||||
Is Income Tax Component,इनकम टैक्स कंपोनेंट है,
|
||||
Component properties and references ,घटक गुण और संदर्भ,
|
||||
Additional Salary ,अतिरिक्त वेतन,
|
||||
Condtion and formula,संक्षेपण और सूत्र,
|
||||
Unmarked days,अचिंतित दिन,
|
||||
Absent Days,अनुपस्थित दिन,
|
||||
Conditions and Formula variable and example,शर्तें और सूत्र चर और उदाहरण,
|
||||
@ -9444,7 +9422,6 @@ Plaid invalid request error,अमान्य अनुरोध त्रु
|
||||
Please check your Plaid client ID and secret values,कृपया अपने प्लेड क्लाइंट आईडी और गुप्त मूल्यों की जाँच करें,
|
||||
Bank transaction creation error,बैंक लेनदेन निर्माण त्रुटि,
|
||||
Unit of Measurement,माप की इकाई,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},"पंक्ति # {}: आइटम {} के लिए विक्रय दर, इसके {} से कम है। विक्रय दर कम से कम {} होनी चाहिए",
|
||||
Fiscal Year {0} Does Not Exist,वित्तीय वर्ष {0} का अस्तित्व नहीं है,
|
||||
Row # {0}: Returned Item {1} does not exist in {2} {3},पंक्ति # {0}: लौटाई गई वस्तु {1} {2} {3} में मौजूद नहीं है,
|
||||
Valuation type charges can not be marked as Inclusive,मूल्यांकन प्रकार के आरोपों को समावेशी के रूप में चिह्नित नहीं किया जा सकता है,
|
||||
@ -9598,8 +9575,60 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,पंक्
|
||||
Response Time for {0} priority in row {1} can't be greater than Resolution Time.,{0} प्राथमिकता के लिए पंक्ति {1} में प्रतिक्रिया का समय रिज़ॉल्यूशन समय से अधिक नहीं हो सकता है।,
|
||||
{0} is not enabled in {1},{0} {1} में सक्षम नहीं है,
|
||||
Group by Material Request,सामग्री अनुरोध द्वारा समूह,
|
||||
"Row {0}: For Supplier {0}, Email Address is Required to Send Email","पंक्ति {0}: आपूर्तिकर्ता {0} के लिए, ईमेल पता ईमेल भेजने के लिए आवश्यक है",
|
||||
Email Sent to Supplier {0},आपूर्तिकर्ता को ईमेल भेजा गया {0},
|
||||
"The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","पोर्टल से कोटेशन के लिए अनुरोध तक पहुँच अक्षम है। एक्सेस की अनुमति देने के लिए, इसे पोर्टल सेटिंग्स में सक्षम करें।",
|
||||
Supplier Quotation {0} Created,आपूर्तिकर्ता उद्धरण {0} बनाया गया,
|
||||
Valid till Date cannot be before Transaction Date,तिथि तक मान्य लेन-देन की तारीख से पहले नहीं हो सकता है,
|
||||
Unlink Advance Payment on Cancellation of Order,ऑर्डर रद्द करने पर अनलिंक अग्रिम भुगतान,
|
||||
"Simple Python Expression, Example: territory != 'All Territories'","सरल अजगर अभिव्यक्ति, उदाहरण: क्षेत्र! = 'सभी क्षेत्र'",
|
||||
Sales Contributions and Incentives,बिक्री योगदान और प्रोत्साहन,
|
||||
Sourced by Supplier,आपूर्तिकर्ता द्वारा शोक,
|
||||
Total weightage assigned should be 100%.<br>It is {0},निर्धारित कुल भार 100% होना चाहिए।<br> यह {0} है,
|
||||
Account {0} exists in parent company {1}.,खाता {0} मूल कंपनी में मौजूद है {1}।,
|
||||
"To overrule this, enable '{0}' in company {1}","इसे पूरा करने के लिए, '{0}' को कंपनी {1} में सक्षम करें",
|
||||
Invalid condition expression,अमान्य स्थिति अभिव्यक्ति,
|
||||
Please Select a Company First,कृपया पहले एक कंपनी चुनें,
|
||||
Please Select Both Company and Party Type First,कृपया कंपनी और पार्टी दोनों प्रकार का चयन करें,
|
||||
Provide the invoice portion in percent,प्रतिशत में चालान भाग प्रदान करें,
|
||||
Give number of days according to prior selection,पूर्व चयन के अनुसार दिनों की संख्या दें,
|
||||
Email Details,ईमेल विवरण,
|
||||
"Select a greeting for the receiver. E.g. Mr., Ms., etc.","रिसीवर के लिए एक ग्रीटिंग का चयन करें। जैसे श्री, सुश्री, आदि।",
|
||||
Preview Email,ईमेल का पूर्वावलोकन करें,
|
||||
Please select a Supplier,कृपया एक आपूर्तिकर्ता का चयन करें,
|
||||
Supplier Lead Time (days),आपूर्तिकर्ता लीड समय (दिन),
|
||||
"Home, Work, etc.","घर, काम, आदि।",
|
||||
Exit Interview Held On,साक्षात्कार से बाहर निकलें,
|
||||
Condition and formula,स्थिति और सूत्र,
|
||||
Sets 'Target Warehouse' in each row of the Items table.,आइटम तालिका की प्रत्येक पंक्ति में 'लक्ष्य वेयरहाउस' सेट करता है।,
|
||||
Sets 'Source Warehouse' in each row of the Items table.,आइटम तालिका की प्रत्येक पंक्ति में 'स्रोत वेयरहाउस' सेट करता है।,
|
||||
POS Register,पीओएस रजिस्टर,
|
||||
"Can not filter based on POS Profile, if grouped by POS Profile","पीओएस प्रोफ़ाइल के आधार पर फ़िल्टर नहीं किया जा सकता है, अगर पीओएस प्रोफ़ाइल द्वारा समूहीकृत किया गया हो",
|
||||
"Can not filter based on Customer, if grouped by Customer","यदि ग्राहक द्वारा समूहीकृत किया गया है, तो ग्राहक के आधार पर फ़िल्टर नहीं किया जा सकता है",
|
||||
"Can not filter based on Cashier, if grouped by Cashier","कैशियर के आधार पर फ़िल्टर नहीं किया जा सकता है, यदि कैशियर द्वारा समूहीकृत किया गया है",
|
||||
Payment Method,भुगतान का तरीका,
|
||||
"Can not filter based on Payment Method, if grouped by Payment Method","यदि भुगतान विधि द्वारा समूहीकृत किया गया है, तो भुगतान विधि के आधार पर फ़िल्टर नहीं किया जा सकता है",
|
||||
Supplier Quotation Comparison,आपूर्तिकर्ता उद्धरण तुलना,
|
||||
Price per Unit (Stock UOM),मूल्य प्रति यूनिट (स्टॉक यूओएम),
|
||||
Group by Supplier,आपूर्तिकर्ता द्वारा समूह,
|
||||
Group by Item,आइटम द्वारा समूह,
|
||||
Remember to set {field_label}. It is required by {regulation}.,{फ़ील्ड_लैब} सेट करना याद रखें। यह {विनियमन} द्वारा आवश्यक है।,
|
||||
Enrollment Date cannot be before the Start Date of the Academic Year {0},नामांकन तिथि शैक्षणिक वर्ष की शुरुआत तिथि {0} से पहले नहीं हो सकती है,
|
||||
Enrollment Date cannot be after the End Date of the Academic Term {0},नामांकन तिथि शैक्षणिक अवधि की अंतिम तिथि के बाद नहीं हो सकती {{},
|
||||
Enrollment Date cannot be before the Start Date of the Academic Term {0},नामांकन तिथि शैक्षणिक अवधि के प्रारंभ दिनांक से पहले नहीं हो सकती {0},
|
||||
Posting future transactions are not allowed due to Immutable Ledger,भविष्य के लेन-देन को अपरिवर्तनीय लेजर के कारण पोस्ट करने की अनुमति नहीं है,
|
||||
Future Posting Not Allowed,भविष्य पोस्टिंग अनुमति नहीं है,
|
||||
"To enable Capital Work in Progress Accounting, ","प्रगति लेखा में पूंजी कार्य को सक्षम करने के लिए,",
|
||||
you must select Capital Work in Progress Account in accounts table,आपको अकाउंट टेबल में प्रोग्रेस अकाउंट में कैपिटल वर्क का चयन करना होगा,
|
||||
You can also set default CWIP account in Company {},आप कंपनी {} में डिफ़ॉल्ट सीडब्ल्यूआईपी खाता भी सेट कर सकते हैं,
|
||||
The Request for Quotation can be accessed by clicking on the following button,निम्नलिखित बटन पर क्लिक करके कोटेशन के लिए अनुरोध तक पहुँचा जा सकता है,
|
||||
Regards,सादर,
|
||||
Please click on the following button to set your new password,अपना नया पासवर्ड सेट करने के लिए कृपया निम्नलिखित बटन पर क्लिक करें,
|
||||
Update Password,पासवर्ड अपडेट करें,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},"पंक्ति # {}: वस्तु {} के लिए विक्रय दर, इसके {} से कम है। {} बेचना कम से कम {} होना चाहिए",
|
||||
You can alternatively disable selling price validation in {} to bypass this validation.,आप वैकल्पिक रूप से इस मान्यता को दरकिनार करने के लिए {} में विक्रय सत्यापन को अक्षम कर सकते हैं।,
|
||||
Invalid Selling Price,अवैध विक्रय मूल्य,
|
||||
Address needs to be linked to a Company. Please add a row for Company in the Links table.,पता किसी कंपनी से जुड़ा होना चाहिए। कृपया लिंक तालिका में कंपनी के लिए एक पंक्ति जोड़ें।,
|
||||
Company Not Linked,कंपनी लिंक नहीं है,
|
||||
Import Chart of Accounts from CSV / Excel files,CSV / Excel फ़ाइलों से खातों का आयात चार्ट,
|
||||
Completed Qty cannot be greater than 'Qty to Manufacture',पूर्ण मात्रा 'Qty to Manufacturing' से बड़ी नहीं हो सकती,
|
||||
"Row {0}: For Supplier {1}, Email Address is Required to send an email","पंक्ति {0}: आपूर्तिकर्ता {1} के लिए, ईमेल पता ईमेल भेजने के लिए आवश्यक है",
|
||||
|
Can't render this file because it is too large.
|
@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Punjenje tipa
|
||||
Chargeble,Chargeble,
|
||||
Charges are updated in Purchase Receipt against each item,Optužbe su ažurirani u KUPNJE protiv svake stavke,
|
||||
"Charges will be distributed proportionately based on item qty or amount, as per your selection","Troškovi će se distribuirati proporcionalno na temelju točke kom ili iznos, kao i po svom izboru",
|
||||
Chart Of Accounts,Kontni plan,
|
||||
Chart of Cost Centers,Grafikon troškovnih centara,
|
||||
Check all,Provjeri sve,
|
||||
Checkout,Provjeri,
|
||||
@ -581,7 +580,6 @@ Company {0} does not exist,Tvrtka {0} ne postoji,
|
||||
Compensatory Off,kompenzacijski Off,
|
||||
Compensatory leave request days not in valid holidays,Doplativi dopusti za dane naplate nisu u važećem odmoru,
|
||||
Complaint,prigovor,
|
||||
Completed Qty can not be greater than 'Qty to Manufacture',Završen Qty ne može biti veći od 'Kol proizvoditi',
|
||||
Completion Date,Završetak Datum,
|
||||
Computer,Računalo,
|
||||
Condition,Stanje,
|
||||
@ -2033,7 +2031,6 @@ Please select Category first,Molimo odaberite kategoriju prvi,
|
||||
Please select Charge Type first,Odaberite Naknada za prvi,
|
||||
Please select Company,Odaberite tvrtke,
|
||||
Please select Company and Designation,Odaberite Tvrtka i Oznaka,
|
||||
Please select Company and Party Type first,Odaberite Društvo i Zabava Tip prvi,
|
||||
Please select Company and Posting Date to getting entries,Odaberite unos za tvrtku i datum knjiženja,
|
||||
Please select Company first,Odaberite tvrtka prvi,
|
||||
Please select Completion Date for Completed Asset Maintenance Log,Molimo odaberite Datum završetka za Dovršeni dnevnik održavanja imovine,
|
||||
@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,Ime institut
|
||||
The name of your company for which you are setting up this system.,Ime vaše tvrtke za koje ste postavljanje ovog sustava .,
|
||||
The number of shares and the share numbers are inconsistent,Broj dionica i brojeva udjela nedosljedni su,
|
||||
The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Račun za gateway plaćanja u planu {0} se razlikuje od računa za pristupnik plaćanja u ovom zahtjevu za plaćanje,
|
||||
The request for quotation can be accessed by clicking on the following link,Zahtjev za ponudu se može pristupiti klikom na sljedeći link,
|
||||
The selected BOMs are not for the same item,Odabrane sastavnice nisu za istu stavku,
|
||||
The selected item cannot have Batch,Izabrani predmet ne može imati Hrpa,
|
||||
The seller and the buyer cannot be the same,Prodavatelj i kupac ne mogu biti isti,
|
||||
@ -3130,7 +3126,6 @@ Total contribution percentage should be equal to 100,Ukupni postotak doprinosa t
|
||||
Total flexible benefit component amount {0} should not be less than max benefits {1},Ukupni iznos komponente fleksibilne naknade {0} ne smije biti manji od maksimalnih naknada {1},
|
||||
Total hours: {0},Ukupno vrijeme: {0},
|
||||
Total leaves allocated is mandatory for Leave Type {0},Ukupni dopušteni dopusti obvezni su za vrstu napuštanja {0},
|
||||
Total weightage assigned should be 100%. It is {0},Ukupno bi trebalo biti dodijeljena weightage 100 % . To je {0},
|
||||
Total working hours should not be greater than max working hours {0},Ukupno radno vrijeme ne smije biti veći od max radnog vremena {0},
|
||||
Total {0} ({1}),Ukupno {0} ({1}),
|
||||
"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Ukupno {0} za sve stavke nula, možda biste trebali promijeniti 'Podijeliti optužbi na temelju'",
|
||||
@ -3544,7 +3539,6 @@ Company GSTIN,Tvrtka GSTIN,
|
||||
Company field is required,Polje tvrtke je obavezno,
|
||||
Creating Dimensions...,Izrada dimenzija ...,
|
||||
Duplicate entry against the item code {0} and manufacturer {1},Duplikat unosa sa šifrom artikla {0} i proizvođačem {1},
|
||||
Import Chart Of Accounts from CSV / Excel files,Uvezi račun s računa iz CSV / Excel datoteka,
|
||||
Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Nevažeći GSTIN! Uneseni unos ne odgovara formatu GSTIN za vlasnike UIN-a ili nerezidentne davatelje usluga OIDAR-a,
|
||||
Invoice Grand Total,Faktura ukupno,
|
||||
Last carbon check date cannot be a future date,Posljednji datum provjere ugljika ne može biti budući datum,
|
||||
@ -3921,7 +3915,6 @@ Plaid authentication error,Greška provjere autentičnosti,
|
||||
Plaid public token error,Pogreška javnog tokena u obliku video zapisa,
|
||||
Plaid transactions sync error,Pogreška sinkronizacije plaidnih transakcija,
|
||||
Please check the error log for details about the import errors,Provjerite dnevnik pogrešaka za detalje o uvoznim pogreškama,
|
||||
Please click on the following link to set your new password,Molimo kliknite na sljedeći link kako bi postavili novu lozinku,
|
||||
Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Izradite <b>DATEV postavke</b> za tvrtku <b>{}</b> .,
|
||||
Please create adjustment Journal Entry for amount {0} ,Napravite unos prilagodbe u časopisu za iznos {0},
|
||||
Please do not create more than 500 items at a time,Ne stvarajte više od 500 predmeta odjednom,
|
||||
@ -3997,6 +3990,7 @@ Refreshing,Osvježavajući,
|
||||
Release date must be in the future,Datum izlaska mora biti u budućnosti,
|
||||
Relieving Date must be greater than or equal to Date of Joining,Datum oslobađanja mora biti veći ili jednak datumu pridruživanja,
|
||||
Rename,Preimenuj,
|
||||
Rename Not Allowed,Preimenovanje nije dopušteno,
|
||||
Repayment Method is mandatory for term loans,Način otplate je obvezan za oročene kredite,
|
||||
Repayment Start Date is mandatory for term loans,Datum početka otplate je obvezan za oročene kredite,
|
||||
Report Item,Stavka izvješća,
|
||||
@ -4043,7 +4037,6 @@ Search results for,Rezultati pretrage za,
|
||||
Select All,Odaberite sve,
|
||||
Select Difference Account,Odaberite račun razlike,
|
||||
Select a Default Priority.,Odaberite zadani prioritet.,
|
||||
Select a Supplier from the Default Supplier List of the items below.,Odaberite dobavljača sa zadanog popisa dobavljača dolje navedenih stavki.,
|
||||
Select a company,Odaberite tvrtku,
|
||||
Select finance book for the item {0} at row {1},Odaberite knjigu financija za stavku {0} u retku {1},
|
||||
Select only one Priority as Default.,Odaberite samo jedan prioritet kao zadani.,
|
||||
@ -4247,7 +4240,6 @@ Yes,Da,
|
||||
Actual ,stvaran,
|
||||
Add to cart,Dodaj u košaricu,
|
||||
Budget,budžet,
|
||||
Chart Of Accounts Importer,Uvoznik računa računa,
|
||||
Chart of Accounts,Kontni plan,
|
||||
Customer database.,Baza podataka korisnika.,
|
||||
Days Since Last order,Dana od posljednje narudžbe,
|
||||
@ -4546,7 +4538,6 @@ Role that is allowed to submit transactions that exceed credit limits set.,Uloga
|
||||
Check Supplier Invoice Number Uniqueness,Provjerite Dobavljač Račun broj Jedinstvenost,
|
||||
Make Payment via Journal Entry,Plaćanje putem Temeljnica,
|
||||
Unlink Payment on Cancellation of Invoice,Prekini vezu Plaćanje o otkazu fakture,
|
||||
Unlink Advance Payment on Cancelation of Order,Prekini vezu s predujmom otkazivanja narudžbe,
|
||||
Book Asset Depreciation Entry Automatically,Automatski ulazi u amortizaciju imovine u knjizi,
|
||||
Automatically Add Taxes and Charges from Item Tax Template,Automatski dodajte poreze i pristojbe sa predloška poreza na stavke,
|
||||
Automatically Fetch Payment Terms,Automatski preuzmi Uvjete plaćanja,
|
||||
@ -4940,7 +4931,6 @@ Closing Account Head,Zatvaranje računa šefa,
|
||||
POS Customer Group,POS Korisnička Grupa,
|
||||
POS Field,POS polje,
|
||||
POS Item Group,POS Točka Grupa,
|
||||
[Select],[Odaberi],
|
||||
Company Address,adresa tvrtke,
|
||||
Update Stock,Ažuriraj zalihe,
|
||||
Ignore Pricing Rule,Ignorirajte Cijene pravilo,
|
||||
@ -6481,7 +6471,6 @@ HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM.,
|
||||
Appraisal Template,Procjena Predložak,
|
||||
For Employee Name,Za ime zaposlenika,
|
||||
Goals,Golovi,
|
||||
Calculate Total Score,Izračunajte ukupni rezultat,
|
||||
Total Score (Out of 5),Ukupna ocjena (od 5),
|
||||
"Any other remarks, noteworthy effort that should go in the records.","Sve ostale primjedbe, značajan napor da bi trebao ići u evidenciji.",
|
||||
Appraisal Goal,Procjena gol,
|
||||
@ -6599,11 +6588,6 @@ Relieving Date,Rasterećenje Datum,
|
||||
Reason for Leaving,Razlog za odlazak,
|
||||
Leave Encashed?,Odsustvo naplaćeno?,
|
||||
Encashment Date,Encashment Datum,
|
||||
Exit Interview Details,Izlaz Intervju Detalji,
|
||||
Held On,Održanoj,
|
||||
Reason for Resignation,Razlog za ostavku,
|
||||
Better Prospects,Bolji izgledi,
|
||||
Health Concerns,Zdravlje Zabrinutost,
|
||||
New Workplace,Novo radno mjesto,
|
||||
HR-EAD-.YYYY.-,HR-EAD-.YYYY.-,
|
||||
Returned Amount,Povratni iznos,
|
||||
@ -8239,9 +8223,6 @@ Landed Cost Help,Zavisni troškovi - Pomoć,
|
||||
Manufacturers used in Items,Proizvođači se koriste u stavkama,
|
||||
Limited to 12 characters,Ograničiti na 12 znakova,
|
||||
MAT-MR-.YYYY.-,MAT-MR-.YYYY.-,
|
||||
Set Warehouse,Postavite skladište,
|
||||
Sets 'For Warehouse' in each row of the Items table.,Postavlja "Za skladište" u svakom retku tablice Predmeti.,
|
||||
Requested For,Traženi Za,
|
||||
Partially Ordered,Djelomično uređeno,
|
||||
Transferred,prebačen,
|
||||
% Ordered,% Naručeno,
|
||||
@ -8690,8 +8671,6 @@ Material Request Warehouse,Skladište zahtjeva za materijal,
|
||||
Select warehouse for material requests,Odaberite skladište za zahtjeve za materijalom,
|
||||
Transfer Materials For Warehouse {0},Prijenos materijala za skladište {0},
|
||||
Production Plan Material Request Warehouse,Skladište zahtjeva za planom proizvodnje,
|
||||
Set From Warehouse,Postavljeno iz skladišta,
|
||||
Source Warehouse (Material Transfer),Izvorno skladište (prijenos materijala),
|
||||
Sets 'Source Warehouse' in each row of the items table.,Postavlja 'Izvorno skladište' u svaki redak tablice stavki.,
|
||||
Sets 'Target Warehouse' in each row of the items table.,Postavlja 'Ciljano skladište' u svaki redak tablice stavki.,
|
||||
Show Cancelled Entries,Prikaži otkazane unose,
|
||||
@ -9157,7 +9136,6 @@ Professional Tax,Porez na struku,
|
||||
Is Income Tax Component,Je komponenta poreza na dohodak,
|
||||
Component properties and references ,Svojstva i reference komponenata,
|
||||
Additional Salary ,Dodatna plaća,
|
||||
Condtion and formula,Stanje i formula,
|
||||
Unmarked days,Neoznačeni dani,
|
||||
Absent Days,Dani odsutnosti,
|
||||
Conditions and Formula variable and example,Uvjeti i varijabla formule i primjer,
|
||||
@ -9444,7 +9422,6 @@ Plaid invalid request error,Pogreška nevažećeg zahtjeva za karirano,
|
||||
Please check your Plaid client ID and secret values,Molimo provjerite svoj ID klijenta i tajne vrijednosti,
|
||||
Bank transaction creation error,Pogreška pri stvaranju bankovne transakcije,
|
||||
Unit of Measurement,Jedinica mjere,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Redak {{}: Stopa prodaje stavke {} niža je od {}. Stopa prodaje trebala bi biti najmanje {},
|
||||
Fiscal Year {0} Does Not Exist,Fiskalna godina {0} ne postoji,
|
||||
Row # {0}: Returned Item {1} does not exist in {2} {3},Redak {0}: Vraćena stavka {1} ne postoji u {2} {3},
|
||||
Valuation type charges can not be marked as Inclusive,Naknade vrste procjene ne mogu se označiti kao Uključujuće,
|
||||
@ -9598,8 +9575,60 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Postavite vri
|
||||
Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Vrijeme odziva za {0} prioritet u retku {1} ne može biti veće od vremena razlučivanja.,
|
||||
{0} is not enabled in {1},{0} nije omogućen u {1},
|
||||
Group by Material Request,Grupiraj prema zahtjevu za materijal,
|
||||
"Row {0}: For Supplier {0}, Email Address is Required to Send Email",Redak {0}: Za dobavljača {0} adresa e-pošte potrebna je za slanje e-pošte,
|
||||
Email Sent to Supplier {0},E-pošta poslana dobavljaču {0},
|
||||
"The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","Pristup zahtjevu za ponudu s portala je onemogućen. Da biste omogućili pristup, omogućite ga u postavkama portala.",
|
||||
Supplier Quotation {0} Created,Ponuda dobavljača {0} Izrađena,
|
||||
Valid till Date cannot be before Transaction Date,Važi do Datum ne može biti prije datuma transakcije,
|
||||
Unlink Advance Payment on Cancellation of Order,Prekinite vezu s predujmom pri otkazivanju narudžbe,
|
||||
"Simple Python Expression, Example: territory != 'All Territories'","Jednostavan Python izraz, Primjer: teritorij! = 'Svi teritoriji'",
|
||||
Sales Contributions and Incentives,Doprinosi prodaji i poticaji,
|
||||
Sourced by Supplier,Izvor dobavljača,
|
||||
Total weightage assigned should be 100%.<br>It is {0},Ukupna dodijeljena težina trebala bi biti 100%.<br> {0} je,
|
||||
Account {0} exists in parent company {1}.,Račun {0} postoji u matičnoj tvrtki {1}.,
|
||||
"To overrule this, enable '{0}' in company {1}","Da biste to poništili, omogućite "{0}" u tvrtki {1}",
|
||||
Invalid condition expression,Nevažeći izraz stanja,
|
||||
Please Select a Company First,Prvo odaberite tvrtku,
|
||||
Please Select Both Company and Party Type First,Molimo odaberite prvo vrstu tvrtke i stranke,
|
||||
Provide the invoice portion in percent,Dio fakture navedite u postocima,
|
||||
Give number of days according to prior selection,Navedite broj dana prema prethodnom odabiru,
|
||||
Email Details,Pojedinosti e-pošte,
|
||||
"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Odaberite pozdrav za slušalicu. Npr. Gospodin, gospođa itd.",
|
||||
Preview Email,Pregled e-pošte,
|
||||
Please select a Supplier,Molimo odaberite dobavljača,
|
||||
Supplier Lead Time (days),Vrijeme isporuke dobavljača (dana),
|
||||
"Home, Work, etc.","Kuća, posao itd.",
|
||||
Exit Interview Held On,Izlazni intervju održan,
|
||||
Condition and formula,Stanje i formula,
|
||||
Sets 'Target Warehouse' in each row of the Items table.,Postavlja 'Ciljano skladište' u svaki redak tablice Stavke.,
|
||||
Sets 'Source Warehouse' in each row of the Items table.,Postavlja 'Izvorno skladište' u svaki redak tablice Stavke.,
|
||||
POS Register,POS registar,
|
||||
"Can not filter based on POS Profile, if grouped by POS Profile",Ne može se filtrirati na temelju POS profila ako je grupirano po POS profilu,
|
||||
"Can not filter based on Customer, if grouped by Customer",Ne može se filtrirati na temelju kupca ako ga je grupirao kupac,
|
||||
"Can not filter based on Cashier, if grouped by Cashier","Ne može se filtrirati na temelju blagajne, ako je grupirana po blagajni",
|
||||
Payment Method,Način plaćanja,
|
||||
"Can not filter based on Payment Method, if grouped by Payment Method",Nije moguće filtrirati na temelju načina plaćanja ako je grupirano prema načinu plaćanja,
|
||||
Supplier Quotation Comparison,Usporedba ponuda dobavljača,
|
||||
Price per Unit (Stock UOM),Cijena po jedinici (dionica UOM),
|
||||
Group by Supplier,Grupiraj prema dobavljaču,
|
||||
Group by Item,Grupiraj po stavkama,
|
||||
Remember to set {field_label}. It is required by {regulation}.,Ne zaboravite postaviti {field_label}. To zahtijeva {propis}.,
|
||||
Enrollment Date cannot be before the Start Date of the Academic Year {0},Datum upisa ne može biti prije datuma početka akademske godine {0},
|
||||
Enrollment Date cannot be after the End Date of the Academic Term {0},Datum upisa ne može biti nakon datuma završetka akademskog roka {0},
|
||||
Enrollment Date cannot be before the Start Date of the Academic Term {0},Datum upisa ne može biti prije datuma početka akademskog roka {0},
|
||||
Posting future transactions are not allowed due to Immutable Ledger,Knjiženje budućih transakcija nije dopušteno zbog Nepromjenjive knjige,
|
||||
Future Posting Not Allowed,Objavljivanje u budućnosti nije dozvoljeno,
|
||||
"To enable Capital Work in Progress Accounting, ","Da biste omogućili računovodstvo kapitalnog rada u tijeku,",
|
||||
you must select Capital Work in Progress Account in accounts table,u tablici računa morate odabrati račun kapitalnog rada u tijeku,
|
||||
You can also set default CWIP account in Company {},Također možete postaviti zadani CWIP račun u tvrtki {},
|
||||
The Request for Quotation can be accessed by clicking on the following button,Zahtjevu za ponudu možete pristupiti klikom na sljedeći gumb,
|
||||
Regards,Pozdrav,
|
||||
Please click on the following button to set your new password,Kliknite sljedeći gumb za postavljanje nove lozinke,
|
||||
Update Password,Ažuriraj lozinku,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Redak {{}: Stopa prodaje stavke {} niža je od {}. Prodaja {} trebala bi biti najmanje {},
|
||||
You can alternatively disable selling price validation in {} to bypass this validation.,Alternativno možete onemogućiti provjeru prodajne cijene u {} da biste zaobišli ovu provjeru.,
|
||||
Invalid Selling Price,Nevažeća prodajna cijena,
|
||||
Address needs to be linked to a Company. Please add a row for Company in the Links table.,Adresa mora biti povezana s tvrtkom. U tablici veza dodajte redak za tvrtku.,
|
||||
Company Not Linked,Tvrtka nije povezana,
|
||||
Import Chart of Accounts from CSV / Excel files,Uvoz kontnog plana iz CSV / Excel datoteka,
|
||||
Completed Qty cannot be greater than 'Qty to Manufacture',Završena količina ne može biti veća od „Količina za proizvodnju“,
|
||||
"Row {0}: For Supplier {1}, Email Address is Required to send an email",Redak {0}: Za dobavljača {1} adresa e-pošte potrebna je za slanje e-pošte,
|
||||
|
Can't render this file because it is too large.
|
@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,{0} sorban az
|
||||
Chargeble,Chargeble,
|
||||
Charges are updated in Purchase Receipt against each item,Díjak frissülnek a vásárláskor kapott nyugtán a tételek szerint,
|
||||
"Charges will be distributed proportionately based on item qty or amount, as per your selection","Díjak arányosan kerülnek kiosztásra a tétel mennyiség vagy összegei alapján, a kiválasztása szerint",
|
||||
Chart Of Accounts,Számlatükör,
|
||||
Chart of Cost Centers,Költséghelyek listája,
|
||||
Check all,Összes ellenőrzése,
|
||||
Checkout,kijelentkezés,
|
||||
@ -581,7 +580,6 @@ Company {0} does not exist,Vállalkozás {0} nem létezik,
|
||||
Compensatory Off,Kompenzációs ki,
|
||||
Compensatory leave request days not in valid holidays,Korengedményes szabadságnapok nem az érvényes ünnepnapokon,
|
||||
Complaint,Panasz,
|
||||
Completed Qty can not be greater than 'Qty to Manufacture',"Befejezett Menny nem lehet nagyobb, mint 'Gyártandó Menny'",
|
||||
Completion Date,teljesítési dátum,
|
||||
Computer,Számítógép,
|
||||
Condition,Feltétel,
|
||||
@ -2033,7 +2031,6 @@ Please select Category first,"Kérjük, válasszon Kategóriát először",
|
||||
Please select Charge Type first,"Kérjük, válasszon Terhelés típust először",
|
||||
Please select Company,"Kérjük, válasszon Vállalkozást először",
|
||||
Please select Company and Designation,"Kérjük, válassza a Vállalkozást és a Titulus lehetőséget",
|
||||
Please select Company and Party Type first,"Kérjük, válasszon Vállalkozást és Ügyfél típust először",
|
||||
Please select Company and Posting Date to getting entries,A bejegyzések beírásához válassza a Cég és a rögzítés dátuma lehetőséget,
|
||||
Please select Company first,"Kérjük, válasszon Vállalkozást először",
|
||||
Please select Completion Date for Completed Asset Maintenance Log,"Kérem, válassza ki a befejezés dátumát a Befejezett Vagyontárgy gazdálkodási naplóhoz",
|
||||
@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,Az intézmé
|
||||
The name of your company for which you are setting up this system.,"A vállalkozásának a neve, amelyre ezt a rendszert beállítja.",
|
||||
The number of shares and the share numbers are inconsistent,A részvények száma és a részvények számozása nem konzisztens,
|
||||
The payment gateway account in plan {0} is different from the payment gateway account in this payment request,A {0} tervezett fizetési átjáró-fiók eltér a fizetési átjáró fiókjában ebben a fizetési kérelemben,
|
||||
The request for quotation can be accessed by clicking on the following link,Az ajánlatkérés elérhető a következő linkre kattintással,
|
||||
The selected BOMs are not for the same item,A kiválasztott darabjegyzékeket nem ugyanarra a tételre,
|
||||
The selected item cannot have Batch,A kiválasztott elemnek nem lehet Kötege,
|
||||
The seller and the buyer cannot be the same,Eladó és a vevő nem lehet ugyanaz,
|
||||
@ -3130,7 +3126,6 @@ Total contribution percentage should be equal to 100,A teljes hozzájárulás sz
|
||||
Total flexible benefit component amount {0} should not be less than max benefits {1},"A {0} rugalmas juttatási összegek teljes összege nem lehet kevesebb, mint a maximális ellátások {1}",
|
||||
Total hours: {0},Összesen az órák: {0},
|
||||
Total leaves allocated is mandatory for Leave Type {0},A kihelyezett összes tűvollét kötelező a {0} távollét típushoz,
|
||||
Total weightage assigned should be 100%. It is {0},Összesen kijelölés súlyozásának 100% -nak kell lennie. Ez: {0},
|
||||
Total working hours should not be greater than max working hours {0},"Teljes munkaidő nem lehet nagyobb, mint a max munkaidő {0}",
|
||||
Total {0} ({1}),Összesen {0} ({1}),
|
||||
"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Összesen {0} az összes tételre nulla, lehet, hogy meg kell változtatnia 'Forgalmazói díjak ez alapján'",
|
||||
@ -3544,7 +3539,6 @@ Company GSTIN,Vállalkozás GSTIN,
|
||||
Company field is required,A vállalati mező kitöltése kötelező,
|
||||
Creating Dimensions...,Méretek létrehozása ...,
|
||||
Duplicate entry against the item code {0} and manufacturer {1},Másolatos bejegyzés a {0} cikkszámhoz és a {1} gyártóhoz,
|
||||
Import Chart Of Accounts from CSV / Excel files,Fióktelep importálása CSV / Excel fájlokból,
|
||||
Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Érvénytelen GSTIN! A beírt adat nem felel meg a GSTIN formátumnak az UIN-tulajdonosok vagy a nem rezidens OIDAR szolgáltatók esetében,
|
||||
Invoice Grand Total,Összesen számla,
|
||||
Last carbon check date cannot be a future date,Az utolsó szén-dioxid-ellenőrzési dátum nem lehet jövőbeli dátum,
|
||||
@ -3921,7 +3915,6 @@ Plaid authentication error,Kockás hitelesítési hiba,
|
||||
Plaid public token error,Nyilvános nyilvános token hiba,
|
||||
Plaid transactions sync error,Kockás tranzakciók szinkronizálási hibája,
|
||||
Please check the error log for details about the import errors,Ellenőrizze a hibanaplót az importálási hibák részleteivel kapcsolatban,
|
||||
Please click on the following link to set your new password,"Kérjük, kattintson az alábbi linkre, az új jelszó beállításához",
|
||||
Please create <b>DATEV Settings</b> for Company <b>{}</b>.,"Kérjük, hozzon létre <b>DATEV beállításokat</b> a <b>(z) {} vállalat számára</b> .",
|
||||
Please create adjustment Journal Entry for amount {0} ,"Kérjük, hozzon létre korrekciós naplóbejegyzést a (z) {0} összeghez",
|
||||
Please do not create more than 500 items at a time,"Kérjük, ne hozzon létre egynél több 500 elemet",
|
||||
@ -3997,6 +3990,7 @@ Refreshing,Üdítő,
|
||||
Release date must be in the future,A kiadás dátumának a jövőben kell lennie,
|
||||
Relieving Date must be greater than or equal to Date of Joining,A megváltás dátumának legalább a csatlakozás dátumával kell egyenlőnek lennie,
|
||||
Rename,Átnevezés,
|
||||
Rename Not Allowed,Átnevezés nem megengedett,
|
||||
Repayment Method is mandatory for term loans,A visszafizetési módszer kötelező a lejáratú kölcsönök esetében,
|
||||
Repayment Start Date is mandatory for term loans,A visszafizetés kezdete kötelező a lejáratú hiteleknél,
|
||||
Report Item,Jelentés elem,
|
||||
@ -4043,7 +4037,6 @@ Search results for,Keressen eredményeket erre,
|
||||
Select All,Mindent kijelöl,
|
||||
Select Difference Account,Válassza a Különbség fiókot,
|
||||
Select a Default Priority.,Válasszon alapértelmezett prioritást.,
|
||||
Select a Supplier from the Default Supplier List of the items below.,Válasszon szállítót az alábbi tételek alapértelmezett szállító listájából.,
|
||||
Select a company,Válasszon társaságot,
|
||||
Select finance book for the item {0} at row {1},Válassza ki a {0} tétel pénzügyi könyvét a (z) {1} sorban,
|
||||
Select only one Priority as Default.,Csak egy prioritást válasszon alapértelmezésként.,
|
||||
@ -4247,7 +4240,6 @@ Yes,Igen,
|
||||
Actual ,Tényleges,
|
||||
Add to cart,Adja a kosárhoz,
|
||||
Budget,Költségkeret,
|
||||
Chart Of Accounts Importer,Számlakezelő importőr,
|
||||
Chart of Accounts,Számlatükör,
|
||||
Customer database.,Ügyféladatbázis.,
|
||||
Days Since Last order,Utolsó rendeléstől eltel napok,
|
||||
@ -4546,7 +4538,6 @@ Role that is allowed to submit transactions that exceed credit limits set.,"Beos
|
||||
Check Supplier Invoice Number Uniqueness,Ellenőrizze a Beszállítói Számlák számait Egyediségre,
|
||||
Make Payment via Journal Entry,Naplókönyvelésen keresztüli befizetés létrehozás,
|
||||
Unlink Payment on Cancellation of Invoice,Fizetetlen számlához tartozó Fizetés megszüntetése,
|
||||
Unlink Advance Payment on Cancelation of Order,Kapcsolja le az előleget a megrendelés törlésekor,
|
||||
Book Asset Depreciation Entry Automatically,Könyv szerinti értékcsökkenés automatikus bejegyzés,
|
||||
Automatically Add Taxes and Charges from Item Tax Template,Adók és díjak automatikus hozzáadása az elemadó sablonból,
|
||||
Automatically Fetch Payment Terms,A fizetési feltételek automatikus lehívása,
|
||||
@ -4940,7 +4931,6 @@ Closing Account Head,Záró fiók vezetője,
|
||||
POS Customer Group,POS Vásárlói csoport,
|
||||
POS Field,POS mező,
|
||||
POS Item Group,POS tétel csoport,
|
||||
[Select],[Válasszon],
|
||||
Company Address,Vállalkozás címe,
|
||||
Update Stock,Készlet frissítése,
|
||||
Ignore Pricing Rule,Árképzési szabály figyelmen kívül hagyása,
|
||||
@ -6481,7 +6471,6 @@ HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM.,
|
||||
Appraisal Template,Teljesítmény értékelő sablon,
|
||||
For Employee Name,Alkalmazott neve,
|
||||
Goals,Célok,
|
||||
Calculate Total Score,Összes pontszám kiszámolása,
|
||||
Total Score (Out of 5),Összes pontszám (5–ből),
|
||||
"Any other remarks, noteworthy effort that should go in the records.","Bármely egyéb megjegyzések, említésre méltó erőfeszítés, aminek a nyilvántartásba kell kerülnie.",
|
||||
Appraisal Goal,Teljesítmény értékelés célja,
|
||||
@ -6599,11 +6588,6 @@ Relieving Date,Tehermentesítés dátuma,
|
||||
Reason for Leaving,Kilépés indoka,
|
||||
Leave Encashed?,Távollét beváltása?,
|
||||
Encashment Date,Beváltás dátuma,
|
||||
Exit Interview Details,Interjú részleteiből kilépés,
|
||||
Held On,Tartott,
|
||||
Reason for Resignation,Felmondás indoka,
|
||||
Better Prospects,Jobb kilátások,
|
||||
Health Concerns,Egészségügyi problémák,
|
||||
New Workplace,Új munkahely,
|
||||
HR-EAD-.YYYY.-,HR-EAD-.YYYY.-,
|
||||
Returned Amount,Visszatérített összeg,
|
||||
@ -8239,9 +8223,6 @@ Landed Cost Help,Beszerzési költség Súgó,
|
||||
Manufacturers used in Items,Gyártókat használt ebben a tételekben,
|
||||
Limited to 12 characters,12 karakterre korlátozva,
|
||||
MAT-MR-.YYYY.-,MAT-MR-.YYYY.-,
|
||||
Set Warehouse,A Warehouse beállítása,
|
||||
Sets 'For Warehouse' in each row of the Items table.,Beállítja a „For Warehouse” elemet az Elemek táblázat minden sorában.,
|
||||
Requested For,Igény erre,
|
||||
Partially Ordered,Részben megrendelt,
|
||||
Transferred,Átvitt,
|
||||
% Ordered,% Rendezve,
|
||||
@ -8690,8 +8671,6 @@ Material Request Warehouse,Anyagigény-raktár,
|
||||
Select warehouse for material requests,Válassza ki a raktárt az anyagkérésekhez,
|
||||
Transfer Materials For Warehouse {0},Anyagok átadása raktárhoz {0},
|
||||
Production Plan Material Request Warehouse,Termelési terv Anyagigény-raktár,
|
||||
Set From Warehouse,Készlet a raktárból,
|
||||
Source Warehouse (Material Transfer),Forrásraktár (anyagátadás),
|
||||
Sets 'Source Warehouse' in each row of the items table.,Az elemtábla minden sorában beállítja a „Forrásraktár” elemet.,
|
||||
Sets 'Target Warehouse' in each row of the items table.,Az elemtábla minden sorában beállítja a „Célraktár” elemet.,
|
||||
Show Cancelled Entries,A törölt bejegyzések megjelenítése,
|
||||
@ -9157,7 +9136,6 @@ Professional Tax,Szakmai adó,
|
||||
Is Income Tax Component,A jövedelemadó-összetevő,
|
||||
Component properties and references ,Az alkatrészek tulajdonságai és hivatkozásai,
|
||||
Additional Salary ,További fizetés,
|
||||
Condtion and formula,Feltétel és képlet,
|
||||
Unmarked days,Jelöletlen napok,
|
||||
Absent Days,Hiányzó napok,
|
||||
Conditions and Formula variable and example,Feltételek és Formula változó és példa,
|
||||
@ -9444,7 +9422,6 @@ Plaid invalid request error,Érvénytelen kérés hiba,
|
||||
Please check your Plaid client ID and secret values,"Kérjük, ellenőrizze Plaid kliens azonosítóját és titkos értékeit",
|
||||
Bank transaction creation error,Banki tranzakció létrehozási hiba,
|
||||
Unit of Measurement,Mértékegység,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},"{}. Sor: A (z) {} elem értékesítési aránya alacsonyabb, mint a (z) {}. Az eladási árfolyamnak legalább {}",
|
||||
Fiscal Year {0} Does Not Exist,Pénzügyi év {0} nem létezik,
|
||||
Row # {0}: Returned Item {1} does not exist in {2} {3},{0}. Sor: A (z) {1} visszaküldött tétel nem létezik itt: {2} {3},
|
||||
Valuation type charges can not be marked as Inclusive,Az értékelési típusú díjak nem jelölhetők befogadónak,
|
||||
@ -9598,8 +9575,60 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Állítsa be
|
||||
Response Time for {0} priority in row {1} can't be greater than Resolution Time.,"A {0} {1}. Sor prioritásának válaszideje nem lehet hosszabb, mint a felbontási idő.",
|
||||
{0} is not enabled in {1},A (z) {0} nincs engedélyezve itt: {1},
|
||||
Group by Material Request,Anyagigény szerinti csoportosítás,
|
||||
"Row {0}: For Supplier {0}, Email Address is Required to Send Email",{0} sor: A szállító {0} esetében e-mail cím szükséges az e-mail küldéséhez,
|
||||
Email Sent to Supplier {0},E-mail elküldve a beszállítónak {0},
|
||||
"The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.",A portálról történő ajánlatkéréshez való hozzáférés le van tiltva. A hozzáférés engedélyezéséhez engedélyezze a Portal beállításai között.,
|
||||
Supplier Quotation {0} Created,Beszállítói ajánlat {0} létrehozva,
|
||||
Valid till Date cannot be before Transaction Date,Az érvényes dátum nem lehet korábbi a tranzakció dátumánál,
|
||||
Unlink Advance Payment on Cancellation of Order,Válassza le az előleg visszavonását a megrendelés törlésekor,
|
||||
"Simple Python Expression, Example: territory != 'All Territories'","Egyszerű Python kifejezés, példa: territoorium! = 'Minden terület'",
|
||||
Sales Contributions and Incentives,Értékesítési hozzájárulások és ösztönzők,
|
||||
Sourced by Supplier,Beszállító által beszerzett,
|
||||
Total weightage assigned should be 100%.<br>It is {0},A teljes hozzárendelt súlynak 100% -nak kell lennie.<br> {0},
|
||||
Account {0} exists in parent company {1}.,A {0} fiók létezik az anyavállalatnál {1}.,
|
||||
"To overrule this, enable '{0}' in company {1}",Ennek felülbírálásához engedélyezze a (z) „{0}” lehetőséget a vállalatnál {1},
|
||||
Invalid condition expression,Érvénytelen feltétel kifejezés,
|
||||
Please Select a Company First,"Kérjük, először válasszon egy vállalatot",
|
||||
Please Select Both Company and Party Type First,"Kérjük, először válassza a Vállalat és a Buli típusát",
|
||||
Provide the invoice portion in percent,Adja meg a számla részét százalékban,
|
||||
Give number of days according to prior selection,Adja meg a napok számát az előzetes kiválasztás szerint,
|
||||
Email Details,E-mail részletei,
|
||||
"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Válasszon üdvözletet a vevőnek. Pl. Mr., Ms., stb.",
|
||||
Preview Email,E-mail előnézete,
|
||||
Please select a Supplier,"Kérjük, válasszon szállítót",
|
||||
Supplier Lead Time (days),Szállítói leadási idő (nap),
|
||||
"Home, Work, etc.","Otthon, Munkahely stb.",
|
||||
Exit Interview Held On,Kilépés az interjúból tartott,
|
||||
Condition and formula,Feltétel és képlet,
|
||||
Sets 'Target Warehouse' in each row of the Items table.,Beállítja a „Célraktár” elemet az Elemek táblázat minden sorában.,
|
||||
Sets 'Source Warehouse' in each row of the Items table.,Beállítja a „Forrásraktár” elemet az Elemek táblázat minden sorában.,
|
||||
POS Register,POS regisztráció,
|
||||
"Can not filter based on POS Profile, if grouped by POS Profile","Nem lehet POS-profil alapján szűrni, ha POS-profil szerint van csoportosítva",
|
||||
"Can not filter based on Customer, if grouped by Customer","Nem lehet az Ügyfél alapján szűrni, ha az Ügyfél csoportosítja",
|
||||
"Can not filter based on Cashier, if grouped by Cashier","Nem lehet pénztár alapján szűrni, ha pénztáros csoportosítja",
|
||||
Payment Method,Fizetési mód,
|
||||
"Can not filter based on Payment Method, if grouped by Payment Method","Nem lehet a Fizetési mód alapján szűrni, ha Fizetési mód szerint van csoportosítva",
|
||||
Supplier Quotation Comparison,Beszállítói ajánlat összehasonlítása,
|
||||
Price per Unit (Stock UOM),Egységár (készlet UOM),
|
||||
Group by Supplier,Szállító szerint csoportosítva,
|
||||
Group by Item,Csoportosítás tételenként,
|
||||
Remember to set {field_label}. It is required by {regulation}.,Ne felejtse el beállítani a {field_label} mezőt. A {rendelet} előírja.,
|
||||
Enrollment Date cannot be before the Start Date of the Academic Year {0},A beiratkozás dátuma nem lehet korábbi a tanév kezdési dátumánál {0},
|
||||
Enrollment Date cannot be after the End Date of the Academic Term {0},A beiratkozás dátuma nem lehet későbbi a tanulmányi időszak végének dátumánál {0},
|
||||
Enrollment Date cannot be before the Start Date of the Academic Term {0},A beiratkozási dátum nem lehet korábbi a tanulmányi időszak kezdő dátumánál {0},
|
||||
Posting future transactions are not allowed due to Immutable Ledger,Jövőbeni tranzakciók könyvelése nem engedélyezhető az Immutable Ledger miatt,
|
||||
Future Posting Not Allowed,A jövőbeni közzététel nem engedélyezett,
|
||||
"To enable Capital Work in Progress Accounting, ",A tőkemunka folyamatban lévő könyvelésének engedélyezéséhez,
|
||||
you must select Capital Work in Progress Account in accounts table,ki kell választania a Folyamatban lévő tőkemunka számlát a számlák táblázatban,
|
||||
You can also set default CWIP account in Company {},Alapértelmezett CWIP-fiókot is beállíthat a Vállalatnál {},
|
||||
The Request for Quotation can be accessed by clicking on the following button,Az Ajánlatkérés a következő gombra kattintva érhető el,
|
||||
Regards,Üdvözlettel,
|
||||
Please click on the following button to set your new password,"Kérjük, kattintson a következő gombra az új jelszó beállításához",
|
||||
Update Password,Jelszó frissítése,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},"{}. Sor: A (z) {} elem értékesítési aránya alacsonyabb, mint a (z) {}. A (z) {} értékesítésnek legalább {} legyen",
|
||||
You can alternatively disable selling price validation in {} to bypass this validation.,"Alternatív megoldásként letilthatja az eladási ár érvényesítését itt: {}, hogy ezt az érvényesítést megkerülje.",
|
||||
Invalid Selling Price,Érvénytelen eladási ár,
|
||||
Address needs to be linked to a Company. Please add a row for Company in the Links table.,"A címet társítani kell egy vállalathoz. Kérjük, adjon meg egy sort a Vállalat számára a Linkek táblában.",
|
||||
Company Not Linked,A vállalat nincs összekapcsolva,
|
||||
Import Chart of Accounts from CSV / Excel files,Számlatáblázat importálása CSV / Excel fájlokból,
|
||||
Completed Qty cannot be greater than 'Qty to Manufacture',"Az elkészült mennyiség nem lehet nagyobb, mint a „gyártási mennyiség”",
|
||||
"Row {0}: For Supplier {1}, Email Address is Required to send an email",{0} sor: A szállító {1} esetében e-mail címre van szükség az e-mail küldéséhez,
|
||||
|
Can't render this file because it is too large.
|
@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Mengisi tipe
|
||||
Chargeble,Chargeble,
|
||||
Charges are updated in Purchase Receipt against each item,Ongkos dalam Nota Pembelian diperbarui terhadap setiap barang,
|
||||
"Charges will be distributed proportionately based on item qty or amount, as per your selection","Biaya akan didistribusikan secara proporsional berdasarkan pada item qty atau jumlah, sesuai pilihan Anda",
|
||||
Chart Of Accounts,Bagan Akun,
|
||||
Chart of Cost Centers,Bagan Pusat Biaya,
|
||||
Check all,Periksa semua,
|
||||
Checkout,Periksa,
|
||||
@ -581,7 +580,6 @@ Company {0} does not exist,Perusahaan {0} tidak ada,
|
||||
Compensatory Off,Kompensasi Off,
|
||||
Compensatory leave request days not in valid holidays,Hari permintaan cuti kompensasi tidak dalam hari libur yang sah,
|
||||
Complaint,Keluhan,
|
||||
Completed Qty can not be greater than 'Qty to Manufacture',Selesai Qty tidak dapat lebih besar dari 'Jumlah untuk Produksi',
|
||||
Completion Date,tanggal penyelesaian,
|
||||
Computer,Komputer,
|
||||
Condition,Kondisi,
|
||||
@ -2033,7 +2031,6 @@ Please select Category first,Silahkan pilih Kategori terlebih dahulu,
|
||||
Please select Charge Type first,Silakan pilih Mengisi Tipe terlebih dahulu,
|
||||
Please select Company,Silakan pilih Perusahaan,
|
||||
Please select Company and Designation,Silakan pilih Perusahaan dan Penunjukan,
|
||||
Please select Company and Party Type first,Silakan pilih Perusahaan dan Partai Jenis terlebih dahulu,
|
||||
Please select Company and Posting Date to getting entries,Silakan pilih Perusahaan dan Tanggal Posting untuk mendapatkan entri,
|
||||
Please select Company first,Silakan pilih Perusahaan terlebih dahulu,
|
||||
Please select Completion Date for Completed Asset Maintenance Log,Silakan pilih Tanggal Penyelesaian untuk Pemeriksaan Pemeliharaan Aset Selesai,
|
||||
@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,Nama lembaga
|
||||
The name of your company for which you are setting up this system.,Nama perusahaan Anda yang Anda sedang mengatur sistem ini.,
|
||||
The number of shares and the share numbers are inconsistent,Jumlah saham dan jumlah saham tidak konsisten,
|
||||
The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Akun gateway pembayaran dalam rencana {0} berbeda dari akun gateway pembayaran dalam permintaan pembayaran ini,
|
||||
The request for quotation can be accessed by clicking on the following link,Permintaan untuk kutipan dapat diakses dengan mengklik link berikut,
|
||||
The selected BOMs are not for the same item,BOMs yang dipilih tidak untuk item yang sama,
|
||||
The selected item cannot have Batch,Item yang dipilih tidak dapat memiliki Batch,
|
||||
The seller and the buyer cannot be the same,Penjual dan pembeli tidak bisa sama,
|
||||
@ -3130,7 +3126,6 @@ Total contribution percentage should be equal to 100,Total persentase kontribusi
|
||||
Total flexible benefit component amount {0} should not be less than max benefits {1},Total jumlah komponen manfaat fleksibel {0} tidak boleh kurang dari manfaat maksimal {1},
|
||||
Total hours: {0},Jumlah jam: {0},
|
||||
Total leaves allocated is mandatory for Leave Type {0},Total cuti yang dialokasikan adalah wajib untuk Tipe Cuti {0},
|
||||
Total weightage assigned should be 100%. It is {0},Jumlah weightage ditugaskan harus 100%. Ini adalah {0},
|
||||
Total working hours should not be greater than max working hours {0},Jumlah jam kerja tidak boleh lebih besar dari max jam kerja {0},
|
||||
Total {0} ({1}),Total {0} ({1}),
|
||||
"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Total {0} untuk semua item adalah nol, mungkin Anda harus mengubah 'Distribusikan Biaya Berdasarkan'",
|
||||
@ -3544,7 +3539,6 @@ Company GSTIN,Perusahaan GSTIN,
|
||||
Company field is required,Bidang perusahaan wajib diisi,
|
||||
Creating Dimensions...,Membuat Dimensi ...,
|
||||
Duplicate entry against the item code {0} and manufacturer {1},Entri duplikat terhadap kode item {0} dan pabrikan {1},
|
||||
Import Chart Of Accounts from CSV / Excel files,Impor Bagan Akun dari file CSV / Excel,
|
||||
Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTIN tidak valid! Input yang Anda masukkan tidak cocok dengan format GSTIN untuk Pemegang UIN atau Penyedia Layanan OIDAR Non-Resident,
|
||||
Invoice Grand Total,Faktur Jumlah Total,
|
||||
Last carbon check date cannot be a future date,Tanggal pemeriksaan karbon terakhir tidak bisa menjadi tanggal di masa depan,
|
||||
@ -3921,7 +3915,6 @@ Plaid authentication error,Kesalahan otentikasi kotak-kotak,
|
||||
Plaid public token error,Kesalahan token publik kotak-kotak,
|
||||
Plaid transactions sync error,Kesalahan sinkronisasi transaksi kotak-kotak,
|
||||
Please check the error log for details about the import errors,Silakan periksa log kesalahan untuk detail tentang kesalahan impor,
|
||||
Please click on the following link to set your new password,Silahkan klik pada link berikut untuk mengatur password baru anda,
|
||||
Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Harap buat <b>Pengaturan DATEV</b> untuk Perusahaan <b>{}</b> .,
|
||||
Please create adjustment Journal Entry for amount {0} ,Harap buat penyesuaian Entri Jurnal untuk jumlah {0},
|
||||
Please do not create more than 500 items at a time,Tolong jangan membuat lebih dari 500 item sekaligus,
|
||||
@ -3997,6 +3990,7 @@ Refreshing,Segar,
|
||||
Release date must be in the future,Tanggal rilis harus di masa mendatang,
|
||||
Relieving Date must be greater than or equal to Date of Joining,Tanggal pelepasan harus lebih besar dari atau sama dengan Tanggal Bergabung,
|
||||
Rename,Ubah nama,
|
||||
Rename Not Allowed,Ganti nama Tidak Diizinkan,
|
||||
Repayment Method is mandatory for term loans,Metode Pembayaran wajib untuk pinjaman berjangka,
|
||||
Repayment Start Date is mandatory for term loans,Tanggal Mulai Pembayaran wajib untuk pinjaman berjangka,
|
||||
Report Item,Laporkan Item,
|
||||
@ -4043,7 +4037,6 @@ Search results for,Hasil pencarian,
|
||||
Select All,Pilih semua,
|
||||
Select Difference Account,Pilih Perbedaan Akun,
|
||||
Select a Default Priority.,Pilih Prioritas Default.,
|
||||
Select a Supplier from the Default Supplier List of the items below.,Pilih Pemasok dari Daftar Pemasok Default untuk item di bawah ini.,
|
||||
Select a company,Pilih perusahaan,
|
||||
Select finance book for the item {0} at row {1},Pilih buku keuangan untuk item {0} di baris {1},
|
||||
Select only one Priority as Default.,Pilih hanya satu Prioritas sebagai Default.,
|
||||
@ -4247,7 +4240,6 @@ Yes,Ya,
|
||||
Actual ,Aktual,
|
||||
Add to cart,Tambahkan ke Keranjang Belanja,
|
||||
Budget,Anggaran belanja,
|
||||
Chart Of Accounts Importer,Grafik Pengimpor Akun,
|
||||
Chart of Accounts,Bagan Akun,
|
||||
Customer database.,Database Pelanggan.,
|
||||
Days Since Last order,Hari Sejak Pemesanan Terakhir,
|
||||
@ -4546,7 +4538,6 @@ Role that is allowed to submit transactions that exceed credit limits set.,Peran
|
||||
Check Supplier Invoice Number Uniqueness,Periksa keunikan nomor Faktur Supplier,
|
||||
Make Payment via Journal Entry,Lakukan Pembayaran via Journal Entri,
|
||||
Unlink Payment on Cancellation of Invoice,Membatalkan tautan Pembayaran pada Pembatalan Faktur,
|
||||
Unlink Advance Payment on Cancelation of Order,Putuskan Tautan Pembayaran Muka pada Pembatalan pesanan,
|
||||
Book Asset Depreciation Entry Automatically,Rekam Entri Depresiasi Asset secara Otomatis,
|
||||
Automatically Add Taxes and Charges from Item Tax Template,Secara otomatis Menambahkan Pajak dan Tagihan dari Item Pajak Template,
|
||||
Automatically Fetch Payment Terms,Ambil Ketentuan Pembayaran secara otomatis,
|
||||
@ -4940,7 +4931,6 @@ Closing Account Head,Penutupan Akun Kepala,
|
||||
POS Customer Group,POS Pelanggan Grup,
|
||||
POS Field,Bidang POS,
|
||||
POS Item Group,POS Barang Grup,
|
||||
[Select],[Pilih],
|
||||
Company Address,Alamat perusahaan,
|
||||
Update Stock,Perbarui Persediaan,
|
||||
Ignore Pricing Rule,Abaikan Aturan Harga,
|
||||
@ -6481,7 +6471,6 @@ HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM.,
|
||||
Appraisal Template,Template Penilaian,
|
||||
For Employee Name,Untuk Nama Karyawan,
|
||||
Goals,tujuan,
|
||||
Calculate Total Score,Hitung Total Skor,
|
||||
Total Score (Out of 5),Skor Total (Out of 5),
|
||||
"Any other remarks, noteworthy effort that should go in the records.","Setiap komentar lain, upaya penting yang harus pergi dalam catatan.",
|
||||
Appraisal Goal,Penilaian Pencapaian,
|
||||
@ -6599,11 +6588,6 @@ Relieving Date,Menghilangkan Tanggal,
|
||||
Reason for Leaving,Alasan Meninggalkan,
|
||||
Leave Encashed?,Cuti dicairkan?,
|
||||
Encashment Date,Pencairan Tanggal,
|
||||
Exit Interview Details,Detail Exit Interview,
|
||||
Held On,Diadakan Pada,
|
||||
Reason for Resignation,Alasan pengunduran diri,
|
||||
Better Prospects,Prospek yang Lebih Baik,
|
||||
Health Concerns,Kekhawatiran Kesehatan,
|
||||
New Workplace,Tempat Kerja Baru,
|
||||
HR-EAD-.YYYY.-,HR-EAD-.YYYY.-,
|
||||
Returned Amount,Jumlah yang dikembalikan,
|
||||
@ -8239,9 +8223,6 @@ Landed Cost Help,Bantuan Biaya Landed,
|
||||
Manufacturers used in Items,Produsen yang digunakan dalam Produk,
|
||||
Limited to 12 characters,Terbatas untuk 12 karakter,
|
||||
MAT-MR-.YYYY.-,MAT-MR-.YYYY.-,
|
||||
Set Warehouse,Atur Gudang,
|
||||
Sets 'For Warehouse' in each row of the Items table.,Set 'Untuk Gudang' di setiap baris tabel Item.,
|
||||
Requested For,Diminta Untuk,
|
||||
Partially Ordered,Dipesan Sebagian,
|
||||
Transferred,Ditransfer,
|
||||
% Ordered,% Tersusun,
|
||||
@ -8690,8 +8671,6 @@ Material Request Warehouse,Gudang Permintaan Material,
|
||||
Select warehouse for material requests,Pilih gudang untuk permintaan material,
|
||||
Transfer Materials For Warehouse {0},Mentransfer Bahan Untuk Gudang {0},
|
||||
Production Plan Material Request Warehouse,Gudang Permintaan Material Rencana Produksi,
|
||||
Set From Warehouse,Atur Dari Gudang,
|
||||
Source Warehouse (Material Transfer),Gudang Sumber (Transfer Material),
|
||||
Sets 'Source Warehouse' in each row of the items table.,Set 'Source Warehouse' di setiap baris tabel item.,
|
||||
Sets 'Target Warehouse' in each row of the items table.,Menetapkan 'Gudang Target' di setiap baris tabel item.,
|
||||
Show Cancelled Entries,Tunjukkan Entri yang Dibatalkan,
|
||||
@ -9157,7 +9136,6 @@ Professional Tax,Pajak Profesional,
|
||||
Is Income Tax Component,Adalah Komponen Pajak Penghasilan,
|
||||
Component properties and references ,Properti dan referensi komponen,
|
||||
Additional Salary ,Gaji Tambahan,
|
||||
Condtion and formula,Condtion dan formula,
|
||||
Unmarked days,Hari tak bertanda,
|
||||
Absent Days,Hari Absen,
|
||||
Conditions and Formula variable and example,Kondisi dan variabel Rumus dan contoh,
|
||||
@ -9444,7 +9422,6 @@ Plaid invalid request error,Kesalahan permintaan kotak-kotak tidak valid,
|
||||
Please check your Plaid client ID and secret values,Harap periksa ID klien Kotak-kotak dan nilai rahasia Anda,
|
||||
Bank transaction creation error,Kesalahan pembuatan transaksi bank,
|
||||
Unit of Measurement,Satuan Pengukuran,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Baris # {}: Tarif jual item {} lebih rendah daripada {}. Tingkat penjualan harus minimal {},
|
||||
Fiscal Year {0} Does Not Exist,Tahun Fiskal {0} Tidak Ada,
|
||||
Row # {0}: Returned Item {1} does not exist in {2} {3},Baris # {0}: Item yang Dikembalikan {1} tidak ada di {2} {3},
|
||||
Valuation type charges can not be marked as Inclusive,Biaya jenis penilaian tidak dapat ditandai sebagai Inklusif,
|
||||
@ -9598,8 +9575,60 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Tetapkan Wakt
|
||||
Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Waktu Respons untuk {0} prioritas di baris {1} tidak boleh lebih dari Waktu Resolusi.,
|
||||
{0} is not enabled in {1},{0} tidak diaktifkan di {1},
|
||||
Group by Material Request,Kelompokkan berdasarkan Permintaan Material,
|
||||
"Row {0}: For Supplier {0}, Email Address is Required to Send Email","Baris {0}: Untuk Pemasok {0}, Alamat Email Diperlukan untuk Mengirim Email",
|
||||
Email Sent to Supplier {0},Email Dikirim ke Pemasok {0},
|
||||
"The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","Akses ke Permintaan Penawaran Dari Portal Dinonaktifkan. Untuk Mengizinkan Akses, Aktifkan di Pengaturan Portal.",
|
||||
Supplier Quotation {0} Created,Penawaran Pemasok {0} Dibuat,
|
||||
Valid till Date cannot be before Transaction Date,Berlaku hingga Tanggal tidak boleh sebelum Tanggal Transaksi,
|
||||
Unlink Advance Payment on Cancellation of Order,Batalkan Tautan Pembayaran Di Muka pada Pembatalan Pesanan,
|
||||
"Simple Python Expression, Example: territory != 'All Territories'","Ekspresi Python Sederhana, Contoh: teritori! = 'Semua Wilayah'",
|
||||
Sales Contributions and Incentives,Kontribusi Penjualan dan Insentif,
|
||||
Sourced by Supplier,Bersumber dari Pemasok,
|
||||
Total weightage assigned should be 100%.<br>It is {0},Bobot total yang ditetapkan harus 100%.<br> Ini adalah {0},
|
||||
Account {0} exists in parent company {1}.,Akun {0} ada di perusahaan induk {1}.,
|
||||
"To overrule this, enable '{0}' in company {1}","Untuk mengesampingkan ini, aktifkan '{0}' di perusahaan {1}",
|
||||
Invalid condition expression,Ekspresi kondisi tidak valid,
|
||||
Please Select a Company First,Harap Pilih Perusahaan Terlebih Dahulu,
|
||||
Please Select Both Company and Party Type First,Harap Pilih Kedua Perusahaan dan Jenis Pesta Pertama,
|
||||
Provide the invoice portion in percent,Berikan porsi faktur dalam persen,
|
||||
Give number of days according to prior selection,Beri jumlah hari menurut seleksi sebelumnya,
|
||||
Email Details,Rincian Email,
|
||||
"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Pilih salam untuk penerima. Misal Mr., Ms., dll.",
|
||||
Preview Email,Pratinjau Email,
|
||||
Please select a Supplier,Silakan pilih a Pemasok,
|
||||
Supplier Lead Time (days),Supplier Lead Time (hari),
|
||||
"Home, Work, etc.","Rumah, Kantor, dll.",
|
||||
Exit Interview Held On,Exit Interview Diadakan,
|
||||
Condition and formula,Kondisi dan formula,
|
||||
Sets 'Target Warehouse' in each row of the Items table.,Set 'Gudang Target' di setiap baris tabel Item.,
|
||||
Sets 'Source Warehouse' in each row of the Items table.,Set 'Source Warehouse' di setiap baris tabel Item.,
|
||||
POS Register,Daftar POS,
|
||||
"Can not filter based on POS Profile, if grouped by POS Profile","Tidak dapat memfilter berdasarkan Profil POS, jika dikelompokkan berdasarkan Profil POS",
|
||||
"Can not filter based on Customer, if grouped by Customer","Tidak dapat memfilter berdasarkan Pelanggan, jika dikelompokkan berdasarkan Pelanggan",
|
||||
"Can not filter based on Cashier, if grouped by Cashier","Tidak dapat memfilter berdasarkan Kasir, jika dikelompokkan berdasarkan Kasir",
|
||||
Payment Method,Cara Pembayaran,
|
||||
"Can not filter based on Payment Method, if grouped by Payment Method","Tidak dapat memfilter berdasarkan Metode Pembayaran, jika dikelompokkan berdasarkan Metode Pembayaran",
|
||||
Supplier Quotation Comparison,Perbandingan Penawaran Pemasok,
|
||||
Price per Unit (Stock UOM),Harga per Unit (Stock UOM),
|
||||
Group by Supplier,Kelompokkan berdasarkan Pemasok,
|
||||
Group by Item,Kelompokkan berdasarkan Item,
|
||||
Remember to set {field_label}. It is required by {regulation}.,Ingatlah untuk menyetel {field_label}. Ini diwajibkan oleh {regulasi}.,
|
||||
Enrollment Date cannot be before the Start Date of the Academic Year {0},Tanggal Pendaftaran tidak boleh sebelum Tanggal Mulai Tahun Akademik {0},
|
||||
Enrollment Date cannot be after the End Date of the Academic Term {0},Tanggal Pendaftaran tidak boleh setelah Tanggal Akhir Masa Akademik {0},
|
||||
Enrollment Date cannot be before the Start Date of the Academic Term {0},Tanggal Pendaftaran tidak boleh sebelum Tanggal Mulai dari Syarat Akademik {0},
|
||||
Posting future transactions are not allowed due to Immutable Ledger,Memposting transaksi di masa depan tidak diperbolehkan karena Immutable Ledger,
|
||||
Future Posting Not Allowed,Posting Mendatang Tidak Diizinkan,
|
||||
"To enable Capital Work in Progress Accounting, ","Untuk mengaktifkan Capital Work dalam Progress Accounting,",
|
||||
you must select Capital Work in Progress Account in accounts table,Anda harus memilih Capital Work in Progress Account di tabel akun,
|
||||
You can also set default CWIP account in Company {},Anda juga dapat menyetel akun CWIP default di Perusahaan {},
|
||||
The Request for Quotation can be accessed by clicking on the following button,Permintaan Penawaran dapat diakses dengan mengklik tombol berikut,
|
||||
Regards,Salam,
|
||||
Please click on the following button to set your new password,Silakan klik tombol berikut untuk menyetel kata sandi baru Anda,
|
||||
Update Password,Perbarui Kata Sandi,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Baris # {}: Tarif jual item {} lebih rendah daripada {}. Menjual {} harus minimal {},
|
||||
You can alternatively disable selling price validation in {} to bypass this validation.,Anda juga bisa menonaktifkan validasi harga jual di {} untuk melewati validasi ini.,
|
||||
Invalid Selling Price,Harga Jual Tidak Valid,
|
||||
Address needs to be linked to a Company. Please add a row for Company in the Links table.,Alamat harus ditautkan ke Perusahaan. Harap tambahkan baris untuk Perusahaan di tabel Tautan.,
|
||||
Company Not Linked,Perusahaan Tidak Tertaut,
|
||||
Import Chart of Accounts from CSV / Excel files,Impor Bagan Akun dari file CSV / Excel,
|
||||
Completed Qty cannot be greater than 'Qty to Manufacture',Kuantitas Lengkap tidak boleh lebih besar dari 'Kuantitas hingga Pembuatan',
|
||||
"Row {0}: For Supplier {1}, Email Address is Required to send an email","Baris {0}: Untuk Pemasok {1}, Alamat Email Diperlukan untuk mengirim email",
|
||||
|
Can't render this file because it is too large.
|
@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Gjald af ger
|
||||
Chargeble,Gjaldtaka,
|
||||
Charges are updated in Purchase Receipt against each item,Gjöld eru uppfærðar á kvittun við hvert atriði,
|
||||
"Charges will be distributed proportionately based on item qty or amount, as per your selection","Gjöld verður dreift hlutfallslega miðað hlut Fjöldi eða magn, eins og á val þitt",
|
||||
Chart Of Accounts,Mynd reikninga,
|
||||
Chart of Cost Centers,Mynd af stoðsviða,
|
||||
Check all,Athugaðu alla,
|
||||
Checkout,Athuga,
|
||||
@ -581,7 +580,6 @@ Company {0} does not exist,Fyrirtæki {0} er ekki til,
|
||||
Compensatory Off,jöfnunaraðgerðir Off,
|
||||
Compensatory leave request days not in valid holidays,Dagbætur vegna bótaábyrgðar ekki í gildum frídagum,
|
||||
Complaint,Kvörtun,
|
||||
Completed Qty can not be greater than 'Qty to Manufacture',Lokið Magn má ekki vera meiri en 'Magn í Manufacture',
|
||||
Completion Date,Verklok,
|
||||
Computer,Tölva,
|
||||
Condition,Ástand,
|
||||
@ -2033,7 +2031,6 @@ Please select Category first,Vinsamlegast veldu Flokkur fyrst,
|
||||
Please select Charge Type first,Vinsamlegast veldu Charge Tegund fyrst,
|
||||
Please select Company,Vinsamlegast veldu Company,
|
||||
Please select Company and Designation,Vinsamlegast veldu fyrirtæki og tilnefningu,
|
||||
Please select Company and Party Type first,Vinsamlegast veldu Company og Party Gerð fyrst,
|
||||
Please select Company and Posting Date to getting entries,Vinsamlegast veldu félags og póstsetningu til að fá færslur,
|
||||
Please select Company first,Vinsamlegast veldu Company fyrst,
|
||||
Please select Completion Date for Completed Asset Maintenance Log,Vinsamlegast veldu Lokadagsetning fyrir lokaðan rekstrarskrá,
|
||||
@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,The nafn af
|
||||
The name of your company for which you are setting up this system.,Nafn fyrirtækis þíns sem þú ert að setja upp þetta kerfi.,
|
||||
The number of shares and the share numbers are inconsistent,Fjöldi hluta og hlutanúmer eru ósamræmi,
|
||||
The payment gateway account in plan {0} is different from the payment gateway account in this payment request,Greiðslugátt reikningsins í áætluninni {0} er frábrugðin greiðslugáttarkonto í þessari greiðslubeiðni,
|
||||
The request for quotation can be accessed by clicking on the following link,Beiðni um tilvitnun er hægt að nálgast með því að smella á eftirfarandi tengil,
|
||||
The selected BOMs are not for the same item,Völdu BOMs eru ekki fyrir sama hlut,
|
||||
The selected item cannot have Batch,Valið atriði getur ekki Hópur,
|
||||
The seller and the buyer cannot be the same,Seljandi og kaupandi geta ekki verið þau sömu,
|
||||
@ -3130,7 +3126,6 @@ Total contribution percentage should be equal to 100,Heildarframlagshlutfall æt
|
||||
Total flexible benefit component amount {0} should not be less than max benefits {1},Heildarupphæð sveigjanlegs ávinningshluta {0} ætti ekki að vera minni en hámarksbætur {1},
|
||||
Total hours: {0},Total hours: {0},
|
||||
Total leaves allocated is mandatory for Leave Type {0},Heildarlaun úthlutað er nauðsynlegt fyrir Leyfi Type {0},
|
||||
Total weightage assigned should be 100%. It is {0},Alls weightage úthlutað ætti að vera 100%. Það er {0},
|
||||
Total working hours should not be greater than max working hours {0},Samtals vinnutími ætti ekki að vera meiri en max vinnutíma {0},
|
||||
Total {0} ({1}),Alls {0} ({1}),
|
||||
"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Alls {0} á öllum hlutum er núll, getur verið að þú ættir að breyta 'Úthluta Gjöld Byggt á'",
|
||||
@ -3544,7 +3539,6 @@ Company GSTIN,Fyrirtæki GSTIN,
|
||||
Company field is required,Fyrirtækjasvið er krafist,
|
||||
Creating Dimensions...,Býr til víddir ...,
|
||||
Duplicate entry against the item code {0} and manufacturer {1},Afrit færslu gegn vörukóðanum {0} og framleiðanda {1},
|
||||
Import Chart Of Accounts from CSV / Excel files,Flytja inn reikningskort úr CSV / Excel skrám,
|
||||
Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Ógilt GSTIN! Inntakið sem þú slóst inn passar ekki við GSTIN snið fyrir UIN handhafa eða OIDAR þjónustuaðila sem eru ekki búsettir,
|
||||
Invoice Grand Total,Heildarfjárhæð reikninga,
|
||||
Last carbon check date cannot be a future date,Síðasti dagsetning kolefnisrannsóknar getur ekki verið framtíðardagsetning,
|
||||
@ -3921,7 +3915,6 @@ Plaid authentication error,Villa í sannprófun á táknmynd,
|
||||
Plaid public token error,Villa við almenna táknið,
|
||||
Plaid transactions sync error,Villa við samstillingu Plaid viðskipti,
|
||||
Please check the error log for details about the import errors,Vinsamlegast athugaðu villubókina til að fá upplýsingar um innflutningsvillurnar,
|
||||
Please click on the following link to set your new password,Vinsamlegast smelltu á eftirfarandi tengil til að setja nýja lykilorðið þitt,
|
||||
Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Vinsamlegast búðu til <b>DATEV stillingar</b> fyrir fyrirtæki <b>{}</b> .,
|
||||
Please create adjustment Journal Entry for amount {0} ,Vinsamlegast stofnaðu færslu dagbókar fyrir upphæð {0},
|
||||
Please do not create more than 500 items at a time,Vinsamlegast ekki búa til meira en 500 hluti í einu,
|
||||
@ -3997,6 +3990,7 @@ Refreshing,Frískandi,
|
||||
Release date must be in the future,Útgáfudagur verður að vera í framtíðinni,
|
||||
Relieving Date must be greater than or equal to Date of Joining,Slökunardagur verður að vera meiri en eða jafn og dagsetningardagur,
|
||||
Rename,endurnefna,
|
||||
Rename Not Allowed,Endurnefna ekki leyfilegt,
|
||||
Repayment Method is mandatory for term loans,Endurgreiðsluaðferð er skylda fyrir tíma lán,
|
||||
Repayment Start Date is mandatory for term loans,Upphafsdagur endurgreiðslu er skylda vegna lánstíma,
|
||||
Report Item,Tilkynna hlut,
|
||||
@ -4043,7 +4037,6 @@ Search results for,Leitarniðurstöður fyrir,
|
||||
Select All,Velja allt,
|
||||
Select Difference Account,Veldu mismunareikning,
|
||||
Select a Default Priority.,Veldu sjálfgefið forgang.,
|
||||
Select a Supplier from the Default Supplier List of the items below.,Veldu seljanda úr sjálfgefnum birgðalista yfir hlutina hér að neðan.,
|
||||
Select a company,Veldu fyrirtæki,
|
||||
Select finance book for the item {0} at row {1},Veldu fjármálabók fyrir hlutinn {0} í röð {1},
|
||||
Select only one Priority as Default.,Veldu aðeins eitt forgang sem sjálfgefið.,
|
||||
@ -4247,7 +4240,6 @@ Yes,Já,
|
||||
Actual ,Raunveruleg,
|
||||
Add to cart,Bæta í körfu,
|
||||
Budget,Budget,
|
||||
Chart Of Accounts Importer,Yfirlit yfir innflutning reikninga,
|
||||
Chart of Accounts,Yfirlit yfir reikninga,
|
||||
Customer database.,Viðskiptavinur Gagnagrunnur.,
|
||||
Days Since Last order,Dagar frá síðustu Order,
|
||||
@ -4546,7 +4538,6 @@ Role that is allowed to submit transactions that exceed credit limits set.,Hlutv
|
||||
Check Supplier Invoice Number Uniqueness,Athuga Birgir Reikningur númer Sérstöðu,
|
||||
Make Payment via Journal Entry,Greiða í gegnum dagbókarfærslu,
|
||||
Unlink Payment on Cancellation of Invoice,Aftengja greiðsla á niðurfellingar Invoice,
|
||||
Unlink Advance Payment on Cancelation of Order,Taktu úr sambandi fyrirframgreiðslu vegna niðurfellingar pöntunar,
|
||||
Book Asset Depreciation Entry Automatically,Bókfært eignaaukning sjálfkrafa,
|
||||
Automatically Add Taxes and Charges from Item Tax Template,Bættu sjálfkrafa við sköttum og gjöldum af sniðmáti hlutarskatta,
|
||||
Automatically Fetch Payment Terms,Sæktu sjálfkrafa greiðsluskilmála,
|
||||
@ -4940,7 +4931,6 @@ Closing Account Head,Loka reikningi Head,
|
||||
POS Customer Group,POS viðskiptavinar Group,
|
||||
POS Field,POS sviði,
|
||||
POS Item Group,POS Item Group,
|
||||
[Select],[Veldu],
|
||||
Company Address,Nafn fyrirtækis,
|
||||
Update Stock,Uppfæra Stock,
|
||||
Ignore Pricing Rule,Hunsa Verðlagning reglu,
|
||||
@ -6481,7 +6471,6 @@ HR-APR-.YY.-.MM.,HR-APR-.YY.-MM.,
|
||||
Appraisal Template,Úttekt Snið,
|
||||
For Employee Name,Fyrir Starfsmannafélag Nafn,
|
||||
Goals,mörk,
|
||||
Calculate Total Score,Reikna aðaleinkunn,
|
||||
Total Score (Out of 5),Total Score (af 5),
|
||||
"Any other remarks, noteworthy effort that should go in the records.","Allar aðrar athugasemdir, athyglisvert áreynsla sem ætti að fara í skrám.",
|
||||
Appraisal Goal,Úttekt Goal,
|
||||
@ -6599,11 +6588,6 @@ Relieving Date,létta Dagsetning,
|
||||
Reason for Leaving,Ástæða til að fara,
|
||||
Leave Encashed?,Leyfi Encashed?,
|
||||
Encashment Date,Encashment Dagsetning,
|
||||
Exit Interview Details,Hætta Viðtal Upplýsingar,
|
||||
Held On,Hélt í,
|
||||
Reason for Resignation,Ástæðan fyrir úrsögn,
|
||||
Better Prospects,betri horfur,
|
||||
Health Concerns,Heilsa Áhyggjuefni,
|
||||
New Workplace,ný Vinnustaðurinn,
|
||||
HR-EAD-.YYYY.-,HR-EAD-.YYYY.-,
|
||||
Returned Amount,Skilað upphæð,
|
||||
@ -8239,9 +8223,6 @@ Landed Cost Help,Landað Kostnaður Hjálp,
|
||||
Manufacturers used in Items,Framleiðendur notað í liðum,
|
||||
Limited to 12 characters,Takmarkast við 12 stafi,
|
||||
MAT-MR-.YYYY.-,MAT-MR-.YYYY.-,
|
||||
Set Warehouse,Setja vöruhús,
|
||||
Sets 'For Warehouse' in each row of the Items table.,Stillir 'Fyrir vöruhús' í hverri röð hlutatöflunnar.,
|
||||
Requested For,Umbeðin Fyrir,
|
||||
Partially Ordered,Að hluta til pantað,
|
||||
Transferred,Flutt,
|
||||
% Ordered,% Pantaði,
|
||||
@ -8690,8 +8671,6 @@ Material Request Warehouse,Vöruhús fyrir beiðni um efni,
|
||||
Select warehouse for material requests,Veldu lager fyrir efnisbeiðnir,
|
||||
Transfer Materials For Warehouse {0},Flytja efni fyrir lager {0},
|
||||
Production Plan Material Request Warehouse,Vöruhús fyrir framleiðsluáætlun,
|
||||
Set From Warehouse,Sett frá vörugeymslu,
|
||||
Source Warehouse (Material Transfer),Upprunavöruhús (efnisflutningur),
|
||||
Sets 'Source Warehouse' in each row of the items table.,Stillir 'Source Warehouse' í hverri röð hlutatöflunnar.,
|
||||
Sets 'Target Warehouse' in each row of the items table.,Stillir 'Target Warehouse' í hverri röð hlutatöflunnar.,
|
||||
Show Cancelled Entries,Sýna færslur sem falla niður,
|
||||
@ -9157,7 +9136,6 @@ Professional Tax,Fagskattur,
|
||||
Is Income Tax Component,Er hluti tekjuskatts,
|
||||
Component properties and references ,Hluti eiginleika og tilvísanir,
|
||||
Additional Salary ,Viðbótarlaun,
|
||||
Condtion and formula,Leiðsla og uppskrift,
|
||||
Unmarked days,Ómerktir dagar,
|
||||
Absent Days,Fjarverandi dagar,
|
||||
Conditions and Formula variable and example,Aðstæður og formúlubreytur og dæmi,
|
||||
@ -9444,7 +9422,6 @@ Plaid invalid request error,Rauð ógild villa,
|
||||
Please check your Plaid client ID and secret values,Vinsamlegast athugaðu auðkenni viðskiptavinar þíns og leynileg gildi,
|
||||
Bank transaction creation error,Villa við að búa til bankaviðskipti,
|
||||
Unit of Measurement,Mælieining,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Röð nr. {}: Sölugengi hlutar {} er lægra en {} þess. Söluhlutfall ætti að vera að minnsta kosti {},
|
||||
Fiscal Year {0} Does Not Exist,Reikningsár {0} er ekki til,
|
||||
Row # {0}: Returned Item {1} does not exist in {2} {3},Röð nr. {0}: Atriði sem skilað er {1} er ekki til í {2} {3},
|
||||
Valuation type charges can not be marked as Inclusive,Ekki er hægt að merkja gjald fyrir verðmæti sem innifalið,
|
||||
@ -9598,8 +9575,60 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Stilltu viðb
|
||||
Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Svartími fyrir {0} forgang í röð {1} getur ekki verið meiri en Upplausnartími.,
|
||||
{0} is not enabled in {1},{0} er ekki virkt í {1},
|
||||
Group by Material Request,Flokkað eftir efnisbeiðni,
|
||||
"Row {0}: For Supplier {0}, Email Address is Required to Send Email",Röð {0}: Fyrir birgjann {0} þarf netfang til að senda tölvupóst,
|
||||
Email Sent to Supplier {0},Tölvupóstur sendur til birgja {0},
|
||||
"The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","Aðgangur að beiðni um tilboð frá gátt er óvirkur. Til að leyfa aðgang, virkjaðu það í Portal Settings.",
|
||||
Supplier Quotation {0} Created,Tilboð í birgja {0} búið til,
|
||||
Valid till Date cannot be before Transaction Date,Gild til dagsetning getur ekki verið fyrir viðskiptadagsetningu,
|
||||
Unlink Advance Payment on Cancellation of Order,Aftengja fyrirframgreiðslu við afturköllun pöntunar,
|
||||
"Simple Python Expression, Example: territory != 'All Territories'","Einföld Python-tjáning, dæmi: territorium! = 'All Territories'",
|
||||
Sales Contributions and Incentives,Söluframlag og hvatning,
|
||||
Sourced by Supplier,Upprunnið af birgi,
|
||||
Total weightage assigned should be 100%.<br>It is {0},Heildarþyngd úthlutað ætti að vera 100%.<br> Það er {0},
|
||||
Account {0} exists in parent company {1}.,Reikningurinn {0} er til í móðurfélaginu {1}.,
|
||||
"To overrule this, enable '{0}' in company {1}",Til að ofsækja þetta skaltu virkja '{0}' í fyrirtæki {1},
|
||||
Invalid condition expression,Ógild ástandstjáning,
|
||||
Please Select a Company First,Vinsamlegast veldu fyrirtæki fyrst,
|
||||
Please Select Both Company and Party Type First,Vinsamlegast veldu bæði fyrirtæki og tegund aðila fyrst,
|
||||
Provide the invoice portion in percent,Gefðu upp reikningshlutann í prósentum,
|
||||
Give number of days according to prior selection,Gefðu upp fjölda daga samkvæmt forvali,
|
||||
Email Details,Upplýsingar um tölvupóst,
|
||||
"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Veldu kveðju fyrir móttakara. Til dæmis herra, frú o.s.frv.",
|
||||
Preview Email,Forskoða tölvupóst,
|
||||
Please select a Supplier,Vinsamlegast veldu birgir,
|
||||
Supplier Lead Time (days),Leiðslutími birgja (dagar),
|
||||
"Home, Work, etc.","Heimili, vinna o.s.frv.",
|
||||
Exit Interview Held On,Útgönguviðtal haldið,
|
||||
Condition and formula,Ástand og uppskrift,
|
||||
Sets 'Target Warehouse' in each row of the Items table.,Stillir 'Target Warehouse' í hverri röð hlutatöflunnar.,
|
||||
Sets 'Source Warehouse' in each row of the Items table.,Stillir 'Source Warehouse' í hverri röð hlutatöflunnar.,
|
||||
POS Register,POS skrá,
|
||||
"Can not filter based on POS Profile, if grouped by POS Profile","Get ekki síað eftir POS prófíl, ef flokkað er eftir POS prófíl",
|
||||
"Can not filter based on Customer, if grouped by Customer","Get ekki síað eftir viðskiptavini, ef flokkað er eftir viðskiptavini",
|
||||
"Can not filter based on Cashier, if grouped by Cashier","Get ekki síað eftir gjaldkera, ef flokkað er eftir gjaldkera",
|
||||
Payment Method,Greiðslumáti,
|
||||
"Can not filter based on Payment Method, if grouped by Payment Method","Get ekki síað eftir greiðslumáta, ef það er flokkað eftir greiðslumáta",
|
||||
Supplier Quotation Comparison,Samanburður á tilboði birgja,
|
||||
Price per Unit (Stock UOM),Verð á hverja einingu (lager UOM),
|
||||
Group by Supplier,Flokkað eftir birgi,
|
||||
Group by Item,Flokkað eftir liðum,
|
||||
Remember to set {field_label}. It is required by {regulation}.,Mundu að setja {field_label}. Það er krafist af {reglugerð}.,
|
||||
Enrollment Date cannot be before the Start Date of the Academic Year {0},Innritunardagur getur ekki verið fyrir upphafsdag námsársins {0},
|
||||
Enrollment Date cannot be after the End Date of the Academic Term {0},Innritunardagur getur ekki verið eftir lokadag námsársins {0},
|
||||
Enrollment Date cannot be before the Start Date of the Academic Term {0},Skráningardagur getur ekki verið fyrir upphafsdag námsársins {0},
|
||||
Posting future transactions are not allowed due to Immutable Ledger,Ekki er heimilt að birta færslur í framtíðinni vegna óbreytanlegrar höfuðbókar,
|
||||
Future Posting Not Allowed,Framtíðarpóstur ekki leyfður,
|
||||
"To enable Capital Work in Progress Accounting, ","Til að virkja bókhald fjármagnsvinnu,",
|
||||
you must select Capital Work in Progress Account in accounts table,þú verður að velja Capital Work in Progress Account í reikningstöflu,
|
||||
You can also set default CWIP account in Company {},Þú getur einnig stillt sjálfgefinn CWIP reikning í fyrirtæki {},
|
||||
The Request for Quotation can be accessed by clicking on the following button,Beiðni um tilboð er hægt að nálgast með því að smella á eftirfarandi hnapp,
|
||||
Regards,Kveðja,
|
||||
Please click on the following button to set your new password,Vinsamlegast smelltu á eftirfarandi hnapp til að stilla nýja lykilorðið þitt,
|
||||
Update Password,Uppfærðu lykilorð,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Röð # {}: Sölugengi hlutar {} er lægra en {} þess. Sala {} ætti að vera að minnsta kosti {},
|
||||
You can alternatively disable selling price validation in {} to bypass this validation.,Þú getur einnig slökkt á staðfestingu söluverðs í {} til að fara framhjá þessari löggildingu.,
|
||||
Invalid Selling Price,Ógilt söluverð,
|
||||
Address needs to be linked to a Company. Please add a row for Company in the Links table.,Heimilisfang þarf að vera tengt fyrirtæki. Vinsamlegast bættu við röð fyrir fyrirtæki í tenglatöflunni.,
|
||||
Company Not Linked,Fyrirtæki ekki tengt,
|
||||
Import Chart of Accounts from CSV / Excel files,Flytja inn reikningskort úr CSV / Excel skrám,
|
||||
Completed Qty cannot be greater than 'Qty to Manufacture',Fullbúið magn getur ekki verið meira en „Magn til framleiðslu“,
|
||||
"Row {0}: For Supplier {1}, Email Address is Required to send an email",Röð {0}: Fyrir birgja {1} þarf netfang til að senda tölvupóst,
|
||||
|
Can't render this file because it is too large.
|
@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,Carica di tip
|
||||
Chargeble,chargeble,
|
||||
Charges are updated in Purchase Receipt against each item,Le tariffe sono aggiornati in acquisto ricevuta contro ogni voce,
|
||||
"Charges will be distributed proportionately based on item qty or amount, as per your selection","Spese saranno distribuiti proporzionalmente basate su qty voce o importo, secondo la vostra selezione",
|
||||
Chart Of Accounts,Piano dei conti,
|
||||
Chart of Cost Centers,Grafico Centro di Costo,
|
||||
Check all,Seleziona tutto,
|
||||
Checkout,Check-out,
|
||||
@ -581,7 +580,6 @@ Company {0} does not exist,Società di {0} non esiste,
|
||||
Compensatory Off,compensativa Off,
|
||||
Compensatory leave request days not in valid holidays,Giorni di congedo compensativo giorni non festivi validi,
|
||||
Complaint,Denuncia,
|
||||
Completed Qty can not be greater than 'Qty to Manufacture',Completato Quantità non può essere maggiore di 'Quantità di Fabbricazione',
|
||||
Completion Date,Data Completamento,
|
||||
Computer,Computer,
|
||||
Condition,Condizione,
|
||||
@ -2033,7 +2031,6 @@ Please select Category first,Si prega di selezionare Categoria prima,
|
||||
Please select Charge Type first,Seleziona il tipo di carica prima,
|
||||
Please select Company,Selezionare prego,
|
||||
Please select Company and Designation,Si prega di selezionare Società e designazione,
|
||||
Please select Company and Party Type first,Per favore selezionare prima l'azienda e il tipo di Partner,
|
||||
Please select Company and Posting Date to getting entries,Seleziona Società e Data di pubblicazione per ottenere le voci,
|
||||
Please select Company first,Seleziona prima azienda,
|
||||
Please select Completion Date for Completed Asset Maintenance Log,Selezionare la data di completamento per il registro di manutenzione delle attività completato,
|
||||
@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,Il nome dell
|
||||
The name of your company for which you are setting up this system.,Il nome dell'azienda per la quale si sta configurando questo sistema.,
|
||||
The number of shares and the share numbers are inconsistent,Il numero di condivisioni e i numeri di condivisione sono incoerenti,
|
||||
The payment gateway account in plan {0} is different from the payment gateway account in this payment request,L'account del gateway di pagamento nel piano {0} è diverso dall'account del gateway di pagamento in questa richiesta di pagamento,
|
||||
The request for quotation can be accessed by clicking on the following link,Accedere alla richiesta di offerta cliccando sul seguente link,
|
||||
The selected BOMs are not for the same item,Le distinte materiali selezionati non sono per la stessa voce,
|
||||
The selected item cannot have Batch,La voce selezionata non può avere Batch,
|
||||
The seller and the buyer cannot be the same,Il venditore e l'acquirente non possono essere uguali,
|
||||
@ -3130,7 +3126,6 @@ Total contribution percentage should be equal to 100,La percentuale di contribut
|
||||
Total flexible benefit component amount {0} should not be less than max benefits {1},L'importo della componente di benefit flessibile totale {0} non deve essere inferiore ai benefit massimi {1},
|
||||
Total hours: {0},Ore totali: {0},
|
||||
Total leaves allocated is mandatory for Leave Type {0},Le ferie totali assegnate sono obbligatorie per Tipo di uscita {0},
|
||||
Total weightage assigned should be 100%. It is {0},Weightage totale assegnato dovrebbe essere al 100% . E ' {0},
|
||||
Total working hours should not be greater than max working hours {0},l'orario di lavoro totale non deve essere maggiore di ore di lavoro max {0},
|
||||
Total {0} ({1}),Totale {0} ({1}),
|
||||
"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Totale {0} per tutti gli elementi è pari a zero, può essere che si dovrebbe cambiare 'distribuire oneri corrispondenti'",
|
||||
@ -3544,7 +3539,6 @@ Company GSTIN,Azienda GSTIN,
|
||||
Company field is required,È richiesto il campo dell'azienda,
|
||||
Creating Dimensions...,Creazione di quote ...,
|
||||
Duplicate entry against the item code {0} and manufacturer {1},Voce duplicata rispetto al codice articolo {0} e al produttore {1},
|
||||
Import Chart Of Accounts from CSV / Excel files,Importa piano dei conti da file CSV / Excel,
|
||||
Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTIN non valido! L'input inserito non corrisponde al formato GSTIN per titolari UIN o provider di servizi OIDAR non residenti,
|
||||
Invoice Grand Total,Totale totale fattura,
|
||||
Last carbon check date cannot be a future date,La data dell'ultima verifica del carbonio non può essere una data futura,
|
||||
@ -3921,7 +3915,6 @@ Plaid authentication error,Errore di autenticazione plaid,
|
||||
Plaid public token error,Errore token pubblico plaid,
|
||||
Plaid transactions sync error,Errore di sincronizzazione delle transazioni del plaid,
|
||||
Please check the error log for details about the import errors,Controllare il registro degli errori per i dettagli sugli errori di importazione,
|
||||
Please click on the following link to set your new password,Cliccate sul link seguente per impostare la nuova password,
|
||||
Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Crea le <b>impostazioni DATEV</b> per l'azienda <b>{}</b> .,
|
||||
Please create adjustment Journal Entry for amount {0} ,Crea una registrazione prima nota di rettifica per l'importo {0},
|
||||
Please do not create more than 500 items at a time,Non creare più di 500 elementi alla volta,
|
||||
@ -3997,6 +3990,7 @@ Refreshing,Aggiornamento,
|
||||
Release date must be in the future,La data di uscita deve essere in futuro,
|
||||
Relieving Date must be greater than or equal to Date of Joining,La data di rilascio deve essere maggiore o uguale alla data di iscrizione,
|
||||
Rename,Rinomina,
|
||||
Rename Not Allowed,Rinomina non consentita,
|
||||
Repayment Method is mandatory for term loans,Il metodo di rimborso è obbligatorio per i prestiti a termine,
|
||||
Repayment Start Date is mandatory for term loans,La data di inizio del rimborso è obbligatoria per i prestiti a termine,
|
||||
Report Item,Segnala articolo,
|
||||
@ -4043,7 +4037,6 @@ Search results for,cerca risultati per,
|
||||
Select All,Seleziona tutto,
|
||||
Select Difference Account,Seleziona Conto differenze,
|
||||
Select a Default Priority.,Seleziona una priorità predefinita.,
|
||||
Select a Supplier from the Default Supplier List of the items below.,Selezionare un fornitore dall'elenco fornitori predefinito degli articoli di seguito.,
|
||||
Select a company,Seleziona un'azienda,
|
||||
Select finance book for the item {0} at row {1},Seleziona il libro finanziario per l'articolo {0} alla riga {1},
|
||||
Select only one Priority as Default.,Seleziona solo una priorità come predefinita.,
|
||||
@ -4247,7 +4240,6 @@ Yes,sì,
|
||||
Actual ,Attuale,
|
||||
Add to cart,Aggiungi al carrello,
|
||||
Budget,Budget,
|
||||
Chart Of Accounts Importer,Importatore del piano dei conti,
|
||||
Chart of Accounts,Piano dei conti,
|
||||
Customer database.,Database clienti.,
|
||||
Days Since Last order,Giorni dall'ultimo ordine,
|
||||
@ -4546,7 +4538,6 @@ Role that is allowed to submit transactions that exceed credit limits set.,Ruolo
|
||||
Check Supplier Invoice Number Uniqueness,Controllare l'unicità del numero fattura fornitore,
|
||||
Make Payment via Journal Entry,Effettua il pagamento tramite Registrazione Contabile,
|
||||
Unlink Payment on Cancellation of Invoice,Scollegare il pagamento per la cancellazione della fattura,
|
||||
Unlink Advance Payment on Cancelation of Order,Scollega pagamento anticipato in caso di annullamento dell'ordine,
|
||||
Book Asset Depreciation Entry Automatically,Apprendere automaticamente l'ammortamento dell'attivo,
|
||||
Automatically Add Taxes and Charges from Item Tax Template,Aggiungi automaticamente imposte e addebiti dal modello imposta articolo,
|
||||
Automatically Fetch Payment Terms,Recupera automaticamente i termini di pagamento,
|
||||
@ -4940,7 +4931,6 @@ Closing Account Head,Chiudere Conto Primario,
|
||||
POS Customer Group,POS Gruppi clienti,
|
||||
POS Field,Campo POS,
|
||||
POS Item Group,POS Gruppo Articolo,
|
||||
[Select],[Seleziona],
|
||||
Company Address,indirizzo aziendale,
|
||||
Update Stock,Aggiornare Giacenza,
|
||||
Ignore Pricing Rule,Ignora regola tariffaria,
|
||||
@ -5706,7 +5696,7 @@ Person Name,Nome della Persona,
|
||||
Lost Quotation,Preventivo Perso,
|
||||
Interested,Interessati,
|
||||
Converted,Convertito,
|
||||
Do Not Contact,Non Contattaci,
|
||||
Do Not Contact,Non Contattarci,
|
||||
From Customer,Da Cliente,
|
||||
Campaign Name,Nome Campagna,
|
||||
Follow Up,Seguito,
|
||||
@ -6481,7 +6471,6 @@ HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM.,
|
||||
Appraisal Template,Modello valutazione,
|
||||
For Employee Name,Per Nome Dipendente,
|
||||
Goals,Obiettivi,
|
||||
Calculate Total Score,Calcola il punteggio totale,
|
||||
Total Score (Out of 5),Punteggio totale (i 5),
|
||||
"Any other remarks, noteworthy effort that should go in the records.","Eventuali altre osservazioni, sforzo degno di nota che dovrebbe andare nelle registrazioni.",
|
||||
Appraisal Goal,Obiettivo di valutazione,
|
||||
@ -6599,11 +6588,6 @@ Relieving Date,Alleviare Data,
|
||||
Reason for Leaving,Motivo per Lasciare,
|
||||
Leave Encashed?,Lascia non incassati?,
|
||||
Encashment Date,Data Incasso,
|
||||
Exit Interview Details,Uscire Dettagli Intervista,
|
||||
Held On,Tenutasi il,
|
||||
Reason for Resignation,Motivo della Dimissioni,
|
||||
Better Prospects,Prospettive Migliori,
|
||||
Health Concerns,Preoccupazioni per la salute,
|
||||
New Workplace,Nuovo posto di lavoro,
|
||||
HR-EAD-.YYYY.-,HR-EAD-.YYYY.-,
|
||||
Returned Amount,Importo restituito,
|
||||
@ -8239,9 +8223,6 @@ Landed Cost Help,Landed Cost Aiuto,
|
||||
Manufacturers used in Items,Produttori utilizzati in Articoli,
|
||||
Limited to 12 characters,Limitato a 12 caratteri,
|
||||
MAT-MR-.YYYY.-,MAT-MR-.YYYY.-,
|
||||
Set Warehouse,Imposta magazzino,
|
||||
Sets 'For Warehouse' in each row of the Items table.,Imposta "Per magazzino" in ogni riga della tabella Articoli.,
|
||||
Requested For,richiesto Per,
|
||||
Partially Ordered,Ordinato parzialmente,
|
||||
Transferred,trasferito,
|
||||
% Ordered,% Ordinato,
|
||||
@ -8690,8 +8671,6 @@ Material Request Warehouse,Magazzino richiesta materiale,
|
||||
Select warehouse for material requests,Seleziona il magazzino per le richieste di materiale,
|
||||
Transfer Materials For Warehouse {0},Trasferisci materiali per magazzino {0},
|
||||
Production Plan Material Request Warehouse,Magazzino richiesta materiale piano di produzione,
|
||||
Set From Warehouse,Impostato dal magazzino,
|
||||
Source Warehouse (Material Transfer),Magazzino di origine (trasferimento di materiale),
|
||||
Sets 'Source Warehouse' in each row of the items table.,Imposta "Magazzino di origine" in ogni riga della tabella degli articoli.,
|
||||
Sets 'Target Warehouse' in each row of the items table.,Imposta "Magazzino di destinazione" in ogni riga della tabella degli articoli.,
|
||||
Show Cancelled Entries,Mostra voci annullate,
|
||||
@ -9157,7 +9136,6 @@ Professional Tax,Tasse professionali,
|
||||
Is Income Tax Component,È una componente dell'imposta sul reddito,
|
||||
Component properties and references ,Proprietà e riferimenti dei componenti,
|
||||
Additional Salary ,Stipendio aggiuntivo,
|
||||
Condtion and formula,Condizione e formula,
|
||||
Unmarked days,Giorni non contrassegnati,
|
||||
Absent Days,Giorni assenti,
|
||||
Conditions and Formula variable and example,Condizioni e variabile di formula ed esempio,
|
||||
@ -9444,7 +9422,6 @@ Plaid invalid request error,Errore di richiesta plaid non valida,
|
||||
Please check your Plaid client ID and secret values,Controlla l'ID del tuo cliente Plaid e i valori segreti,
|
||||
Bank transaction creation error,Errore di creazione della transazione bancaria,
|
||||
Unit of Measurement,Unità di misura,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},Riga n. {}: La percentuale di vendita dell'articolo {} è inferiore alla relativa {}. Il tasso di vendita dovrebbe essere di almeno {},
|
||||
Fiscal Year {0} Does Not Exist,L'anno fiscale {0} non esiste,
|
||||
Row # {0}: Returned Item {1} does not exist in {2} {3},Riga n. {0}: l'articolo restituito {1} non esiste in {2} {3},
|
||||
Valuation type charges can not be marked as Inclusive,Gli addebiti del tipo di valutazione non possono essere contrassegnati come inclusivi,
|
||||
@ -9598,8 +9575,60 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,Imposta il te
|
||||
Response Time for {0} priority in row {1} can't be greater than Resolution Time.,Il tempo di risposta per la {0} priorità nella riga {1} non può essere maggiore del tempo di risoluzione.,
|
||||
{0} is not enabled in {1},{0} non è abilitato in {1},
|
||||
Group by Material Request,Raggruppa per richiesta materiale,
|
||||
"Row {0}: For Supplier {0}, Email Address is Required to Send Email","Riga {0}: per il fornitore {0}, l'indirizzo e-mail è obbligatorio per inviare e-mail",
|
||||
Email Sent to Supplier {0},Email inviata al fornitore {0},
|
||||
"The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","L'accesso alla richiesta di preventivo dal portale è disabilitato. Per consentire l'accesso, abilitalo nelle impostazioni del portale.",
|
||||
Supplier Quotation {0} Created,Offerta fornitore {0} creata,
|
||||
Valid till Date cannot be before Transaction Date,La data valida fino alla data non può essere precedente alla data della transazione,
|
||||
Unlink Advance Payment on Cancellation of Order,Scollegare il pagamento anticipato all'annullamento dell'ordine,
|
||||
"Simple Python Expression, Example: territory != 'All Territories'","Espressione Python semplice, esempio: territorio! = 'Tutti i territori'",
|
||||
Sales Contributions and Incentives,Contributi alle vendite e incentivi,
|
||||
Sourced by Supplier,Fornito dal fornitore,
|
||||
Total weightage assigned should be 100%.<br>It is {0},Il peso totale assegnato dovrebbe essere del 100%.<br> È {0},
|
||||
Account {0} exists in parent company {1}.,L'account {0} esiste nella società madre {1}.,
|
||||
"To overrule this, enable '{0}' in company {1}","Per annullare questa impostazione, abilita "{0}" nell'azienda {1}",
|
||||
Invalid condition expression,Espressione della condizione non valida,
|
||||
Please Select a Company First,Seleziona prima una società,
|
||||
Please Select Both Company and Party Type First,Seleziona prima sia la società che il tipo di partito,
|
||||
Provide the invoice portion in percent,Fornisci la parte della fattura in percentuale,
|
||||
Give number of days according to prior selection,Indicare il numero di giorni in base alla selezione precedente,
|
||||
Email Details,Dettagli email,
|
||||
"Select a greeting for the receiver. E.g. Mr., Ms., etc.","Seleziona un saluto per il destinatario. Ad esempio, signor, signora, ecc.",
|
||||
Preview Email,Anteprima email,
|
||||
Please select a Supplier,Seleziona un fornitore,
|
||||
Supplier Lead Time (days),Tempo di consegna del fornitore (giorni),
|
||||
"Home, Work, etc.","Casa, lavoro, ecc.",
|
||||
Exit Interview Held On,Esci Intervista trattenuta,
|
||||
Condition and formula,Condizione e formula,
|
||||
Sets 'Target Warehouse' in each row of the Items table.,Imposta "Magazzino di destinazione" in ogni riga della tabella Articoli.,
|
||||
Sets 'Source Warehouse' in each row of the Items table.,Imposta "Magazzino di origine" in ogni riga della tabella Articoli.,
|
||||
POS Register,Registro POS,
|
||||
"Can not filter based on POS Profile, if grouped by POS Profile","Impossibile filtrare in base al profilo POS, se raggruppato per profilo POS",
|
||||
"Can not filter based on Customer, if grouped by Customer","Non è possibile filtrare in base al cliente, se raggruppato per cliente",
|
||||
"Can not filter based on Cashier, if grouped by Cashier","Non è possibile filtrare in base alla Cassa, se raggruppata per Cassa",
|
||||
Payment Method,Metodo di pagamento,
|
||||
"Can not filter based on Payment Method, if grouped by Payment Method","Non è possibile filtrare in base al metodo di pagamento, se raggruppato per metodo di pagamento",
|
||||
Supplier Quotation Comparison,Confronto delle offerte dei fornitori,
|
||||
Price per Unit (Stock UOM),Prezzo per unità (Stock UM),
|
||||
Group by Supplier,Gruppo per fornitore,
|
||||
Group by Item,Raggruppa per articolo,
|
||||
Remember to set {field_label}. It is required by {regulation}.,Ricordati di impostare {field_label}. È richiesto dal {regolamento}.,
|
||||
Enrollment Date cannot be before the Start Date of the Academic Year {0},La data di iscrizione non può essere antecedente alla data di inizio dell'anno accademico {0},
|
||||
Enrollment Date cannot be after the End Date of the Academic Term {0},La data di iscrizione non può essere successiva alla data di fine del periodo accademico {0},
|
||||
Enrollment Date cannot be before the Start Date of the Academic Term {0},La data di iscrizione non può essere precedente alla data di inizio del periodo accademico {0},
|
||||
Posting future transactions are not allowed due to Immutable Ledger,La registrazione di transazioni future non è consentita a causa di Immutable Ledger,
|
||||
Future Posting Not Allowed,Pubblicazione futura non consentita,
|
||||
"To enable Capital Work in Progress Accounting, ","Per abilitare la contabilità dei lavori in corso,",
|
||||
you must select Capital Work in Progress Account in accounts table,è necessario selezionare Conto lavori in corso nella tabella dei conti,
|
||||
You can also set default CWIP account in Company {},Puoi anche impostare un account CWIP predefinito in Azienda {},
|
||||
The Request for Quotation can be accessed by clicking on the following button,È possibile accedere alla Richiesta di offerta facendo clic sul pulsante seguente,
|
||||
Regards,Saluti,
|
||||
Please click on the following button to set your new password,Fare clic sul pulsante seguente per impostare la nuova password,
|
||||
Update Password,Aggiorna password,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},Riga n. {}: La percentuale di vendita dell'articolo {} è inferiore alla relativa {}. La vendita di {} dovrebbe essere almeno {},
|
||||
You can alternatively disable selling price validation in {} to bypass this validation.,"In alternativa, puoi disabilitare la convalida del prezzo di vendita in {} per ignorare questa convalida.",
|
||||
Invalid Selling Price,Prezzo di vendita non valido,
|
||||
Address needs to be linked to a Company. Please add a row for Company in the Links table.,L'indirizzo deve essere collegato a una società. Aggiungi una riga per Azienda nella tabella Collegamenti.,
|
||||
Company Not Linked,Società non collegata,
|
||||
Import Chart of Accounts from CSV / Excel files,Importa piano dei conti da file CSV / Excel,
|
||||
Completed Qty cannot be greater than 'Qty to Manufacture',La quantità completata non può essere maggiore di "Qtà da produrre",
|
||||
"Row {0}: For Supplier {1}, Email Address is Required to send an email","Riga {0}: per il fornitore {1}, l'indirizzo e-mail è richiesto per inviare un'e-mail",
|
||||
|
Can't render this file because it is too large.
|
@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,行{0}の料
|
||||
Chargeble,有料,
|
||||
Charges are updated in Purchase Receipt against each item,料金は、各アイテムに対して、領収書上で更新されます,
|
||||
"Charges will be distributed proportionately based on item qty or amount, as per your selection",料金は、選択によって、アイテムの数量または量に基づいて均等に分割されます,
|
||||
Chart Of Accounts,勘定科目表,
|
||||
Chart of Cost Centers,コストセンターの表,
|
||||
Check all,すべてチェック,
|
||||
Checkout,チェックアウト,
|
||||
@ -581,7 +580,6 @@ Company {0} does not exist,当社{0}は存在しません。,
|
||||
Compensatory Off,代償オフ,
|
||||
Compensatory leave request days not in valid holidays,有効休暇ではない補償休暇申請日,
|
||||
Complaint,苦情,
|
||||
Completed Qty can not be greater than 'Qty to Manufacture',完成した数量は「製造数量」より大きくすることはできません,
|
||||
Completion Date,完了日,
|
||||
Computer,コンピュータ,
|
||||
Condition,条件,
|
||||
@ -2033,7 +2031,6 @@ Please select Category first,カテゴリを選択してください,
|
||||
Please select Charge Type first,請求タイプを最初に選択してください,
|
||||
Please select Company,会社を選択してください,
|
||||
Please select Company and Designation,会社と指定を選択してください,
|
||||
Please select Company and Party Type first,最初の会社と当事者タイプを選択してください,
|
||||
Please select Company and Posting Date to getting entries,エントリを取得するには、会社と転記日付を選択してください,
|
||||
Please select Company first,会社を選択してください,
|
||||
Please select Completion Date for Completed Asset Maintenance Log,完了した資産管理ログの完了日を選択してください,
|
||||
@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,あなたは
|
||||
The name of your company for which you are setting up this system.,このシステムを設定する会社の名前,
|
||||
The number of shares and the share numbers are inconsistent,株式数と株式数が矛盾している,
|
||||
The payment gateway account in plan {0} is different from the payment gateway account in this payment request,プラン{0}の支払ゲートウェイ口座が、この支払依頼の支払ゲートウェイ口座と異なる,
|
||||
The request for quotation can be accessed by clicking on the following link,見積依頼は、以下のリンクをクリックすることによってアクセスすることができます,
|
||||
The selected BOMs are not for the same item,選択されたBOMはアイテムと同一ではありません,
|
||||
The selected item cannot have Batch,選択した項目はバッチを持てません,
|
||||
The seller and the buyer cannot be the same,売り手と買い手は同じではありません,
|
||||
@ -3130,7 +3126,6 @@ Total contribution percentage should be equal to 100,合計貢献率は100に等
|
||||
Total flexible benefit component amount {0} should not be less than max benefits {1},フレキシブル給付金の総額{0}は、最大給付額{1}より少なくてはいけません,
|
||||
Total hours: {0},合計時間:{0},
|
||||
Total leaves allocated is mandatory for Leave Type {0},割り当てられたリーフの種類は{0},
|
||||
Total weightage assigned should be 100%. It is {0},割り当てられた重みづけの合計は100%でなければなりません。{0}になっています。,
|
||||
Total working hours should not be greater than max working hours {0},総労働時間は最大労働時間よりも大きくてはいけません{0},
|
||||
Total {0} ({1}),合計{0}({1}),
|
||||
"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'",合計{0}のすべての項目がゼロになっています。「支払案分基準」を変更する必要があるかもしれません,
|
||||
@ -3544,7 +3539,6 @@ Company GSTIN,会社GSTIN,
|
||||
Company field is required,会社フィールドは必須です,
|
||||
Creating Dimensions...,ディメンションを作成しています...,
|
||||
Duplicate entry against the item code {0} and manufacturer {1},商品コード{0}と製造元{1}に対する重複エントリ,
|
||||
Import Chart Of Accounts from CSV / Excel files,CSV / Excelファイルから勘定科目表のインポート,
|
||||
Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTINが無効です。入力した入力が、UIN保有者または非居住者用OIDARサービスプロバイダのGSTIN形式と一致しません,
|
||||
Invoice Grand Total,請求書の合計,
|
||||
Last carbon check date cannot be a future date,最後のカーボンチェック日を未来の日にすることはできません,
|
||||
@ -3921,7 +3915,6 @@ Plaid authentication error,格子縞認証エラー,
|
||||
Plaid public token error,プレイドパブリックトークンエラー,
|
||||
Plaid transactions sync error,格子縞のトランザクション同期エラー,
|
||||
Please check the error log for details about the import errors,インポートエラーの詳細についてはエラーログを確認してください。,
|
||||
Please click on the following link to set your new password,新しいパスワードを設定するには、次のリンクをクリックしてください,
|
||||
Please create <b>DATEV Settings</b> for Company <b>{}</b>.,会社<b>{}の</b> <b>DATEV設定</b>を作成してください。,
|
||||
Please create adjustment Journal Entry for amount {0} ,金額{0}の調整仕訳を作成してください,
|
||||
Please do not create more than 500 items at a time,一度に500個を超えるアイテムを作成しないでください,
|
||||
@ -3997,6 +3990,7 @@ Refreshing,リフレッシュ,
|
||||
Release date must be in the future,発売日は未来でなければなりません,
|
||||
Relieving Date must be greater than or equal to Date of Joining,免除日は参加日以上でなければなりません,
|
||||
Rename,名称変更,
|
||||
Rename Not Allowed,許可されていない名前の変更,
|
||||
Repayment Method is mandatory for term loans,タームローンには返済方法が必須,
|
||||
Repayment Start Date is mandatory for term loans,定期ローンの返済開始日は必須です,
|
||||
Report Item,レポートアイテム,
|
||||
@ -4043,7 +4037,6 @@ Search results for,検索結果,
|
||||
Select All,すべて選択,
|
||||
Select Difference Account,差額勘定を選択,
|
||||
Select a Default Priority.,デフォルトの優先順位を選択します。,
|
||||
Select a Supplier from the Default Supplier List of the items below.,以下のアイテムのデフォルトのサプライヤーリストからサプライヤーを選択します。,
|
||||
Select a company,会社を選択,
|
||||
Select finance book for the item {0} at row {1},行{1}のアイテム{0}のファイナンスブックを選択してください,
|
||||
Select only one Priority as Default.,デフォルトとして優先度を1つだけ選択します。,
|
||||
@ -4247,7 +4240,6 @@ Yes,はい,
|
||||
Actual ,実際,
|
||||
Add to cart,カートに追加,
|
||||
Budget,予算,
|
||||
Chart Of Accounts Importer,アカウントインポーターのチャート,
|
||||
Chart of Accounts,勘定科目一覧表,
|
||||
Customer database.,顧客データベース,
|
||||
Days Since Last order,最新注文からの日数,
|
||||
@ -4546,7 +4538,6 @@ Role that is allowed to submit transactions that exceed credit limits set.,設
|
||||
Check Supplier Invoice Number Uniqueness,サプライヤー請求番号が一意であることを確認,
|
||||
Make Payment via Journal Entry,仕訳を経由して支払いを行います,
|
||||
Unlink Payment on Cancellation of Invoice,請求書のキャンセルにお支払いのリンクを解除,
|
||||
Unlink Advance Payment on Cancelation of Order,注文のキャンセルに関する前払いのリンクの解除,
|
||||
Book Asset Depreciation Entry Automatically,資産償却エントリを自動的に記帳,
|
||||
Automatically Add Taxes and Charges from Item Tax Template,アイテム税テンプレートから自動的に税金と請求を追加,
|
||||
Automatically Fetch Payment Terms,支払い条件を自動的に取得する,
|
||||
@ -4940,7 +4931,6 @@ Closing Account Head,決算科目,
|
||||
POS Customer Group,POSの顧客グループ,
|
||||
POS Field,POSフィールド,
|
||||
POS Item Group,POSアイテムのグループ,
|
||||
[Select],[選択],
|
||||
Company Address,会社住所,
|
||||
Update Stock,在庫更新,
|
||||
Ignore Pricing Rule,価格設定ルールを無視,
|
||||
@ -6481,7 +6471,6 @@ HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM。,
|
||||
Appraisal Template,査定テンプレート,
|
||||
For Employee Name,従業員名用,
|
||||
Goals,ゴール,
|
||||
Calculate Total Score,合計スコアを計算,
|
||||
Total Score (Out of 5),総得点(5点満点),
|
||||
"Any other remarks, noteworthy effort that should go in the records.",記録内で注目に値する特記事項,
|
||||
Appraisal Goal,査定目標,
|
||||
@ -6599,11 +6588,6 @@ Relieving Date,退職日,
|
||||
Reason for Leaving,退職理由,
|
||||
Leave Encashed?,現金化された休暇?,
|
||||
Encashment Date,現金化日,
|
||||
Exit Interview Details,インタビュー詳細を終了,
|
||||
Held On,開催,
|
||||
Reason for Resignation,退職理由,
|
||||
Better Prospects,良い見通し,
|
||||
Health Concerns,健康への懸念,
|
||||
New Workplace,新しい職場,
|
||||
HR-EAD-.YYYY.-,HR-EAD-.YYYY.-,
|
||||
Returned Amount,返金額,
|
||||
@ -8239,9 +8223,6 @@ Landed Cost Help,陸揚費用ヘルプ,
|
||||
Manufacturers used in Items,アイテムに使用されるメーカー,
|
||||
Limited to 12 characters,12文字に制限されています,
|
||||
MAT-MR-.YYYY.-,MAT-MR- .YYYY.-,
|
||||
Set Warehouse,倉庫を設定する,
|
||||
Sets 'For Warehouse' in each row of the Items table.,Itemsテーブルの各行に「ForWarehouse」を設定します。,
|
||||
Requested For,要求対象,
|
||||
Partially Ordered,半順序,
|
||||
Transferred,転送された,
|
||||
% Ordered,%注文済,
|
||||
@ -8690,8 +8671,6 @@ Material Request Warehouse,資材依頼倉庫,
|
||||
Select warehouse for material requests,資材依頼用の倉庫を選択,
|
||||
Transfer Materials For Warehouse {0},倉庫{0}の転送資材,
|
||||
Production Plan Material Request Warehouse,生産計画資材依頼倉庫,
|
||||
Set From Warehouse,倉庫から設定,
|
||||
Source Warehouse (Material Transfer),ソースウェアハウス(資材転送),
|
||||
Sets 'Source Warehouse' in each row of the items table.,itemsテーブルの各行に「SourceWarehouse」を設定します。,
|
||||
Sets 'Target Warehouse' in each row of the items table.,itemsテーブルの各行に「TargetWarehouse」を設定します。,
|
||||
Show Cancelled Entries,キャンセルされたエントリを表示する,
|
||||
@ -9157,7 +9136,6 @@ Professional Tax,専門家税,
|
||||
Is Income Tax Component,所得税の要素ですか,
|
||||
Component properties and references ,コンポーネントのプロパティと参照,
|
||||
Additional Salary ,追加給与,
|
||||
Condtion and formula,条件と式,
|
||||
Unmarked days,マークされていない日,
|
||||
Absent Days,不在日,
|
||||
Conditions and Formula variable and example,条件と式の変数と例,
|
||||
@ -9444,7 +9422,6 @@ Plaid invalid request error,チェック柄の無効なリクエストエラー,
|
||||
Please check your Plaid client ID and secret values,チェック柄のクライアントIDとシークレット値を確認してください,
|
||||
Bank transaction creation error,銀行取引作成エラー,
|
||||
Unit of Measurement,測定の単位,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},行#{}:アイテム{}の販売率はその{}よりも低くなっています。販売率は少なくとも{}でなければなりません,
|
||||
Fiscal Year {0} Does Not Exist,会計年度{0}は存在しません,
|
||||
Row # {0}: Returned Item {1} does not exist in {2} {3},行番号{0}:返品されたアイテム{1}は{2} {3}に存在しません,
|
||||
Valuation type charges can not be marked as Inclusive,評価タイプの料金を包括的としてマークすることはできません,
|
||||
@ -9598,8 +9575,60 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,行{1}の優
|
||||
Response Time for {0} priority in row {1} can't be greater than Resolution Time.,行{1}の{0}優先度の応答時間は解決時間より長くすることはできません。,
|
||||
{0} is not enabled in {1},{0}は{1}で有効になっていません,
|
||||
Group by Material Request,マテリアルリクエストによるグループ化,
|
||||
"Row {0}: For Supplier {0}, Email Address is Required to Send Email",行{0}:サプライヤー{0}の場合、Eメールを送信するにはEメールアドレスが必要です,
|
||||
Email Sent to Supplier {0},サプライヤーに送信された電子メール{0},
|
||||
"The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.",ポータルからの見積依頼へのアクセスが無効になっています。アクセスを許可するには、ポータル設定で有効にします。,
|
||||
Supplier Quotation {0} Created,サプライヤー見積もり{0}が作成されました,
|
||||
Valid till Date cannot be before Transaction Date,有効期限は取引日より前にすることはできません,
|
||||
Unlink Advance Payment on Cancellation of Order,注文のキャンセル時に前払いのリンクを解除する,
|
||||
"Simple Python Expression, Example: territory != 'All Territories'",単純なPython式、例:territory!= 'すべてのテリトリー',
|
||||
Sales Contributions and Incentives,売上への貢献とインセンティブ,
|
||||
Sourced by Supplier,サプライヤーによる供給,
|
||||
Total weightage assigned should be 100%.<br>It is {0},割り当てられる総重みは100%である必要があります。<br> {0}です,
|
||||
Account {0} exists in parent company {1}.,アカウント{0}は親会社{1}に存在します。,
|
||||
"To overrule this, enable '{0}' in company {1}",これを無効にするには、会社{1}で「{0}」を有効にします,
|
||||
Invalid condition expression,無効な条件式,
|
||||
Please Select a Company First,最初に会社を選択してください,
|
||||
Please Select Both Company and Party Type First,最初に会社とパーティーの両方のタイプを選択してください,
|
||||
Provide the invoice portion in percent,請求書の部分をパーセントで入力します,
|
||||
Give number of days according to prior selection,事前の選択に従って日数を与える,
|
||||
Email Details,メールの詳細,
|
||||
"Select a greeting for the receiver. E.g. Mr., Ms., etc.",受信者の挨拶を選択します。例:Mr.、Ms。など,
|
||||
Preview Email,プレビューメール,
|
||||
Please select a Supplier,サプライヤーを選択してください,
|
||||
Supplier Lead Time (days),サプライヤーのリードタイム(日),
|
||||
"Home, Work, etc.",自宅、職場など,
|
||||
Exit Interview Held On,面接終了,
|
||||
Condition and formula,条件と式,
|
||||
Sets 'Target Warehouse' in each row of the Items table.,Itemsテーブルの各行に「TargetWarehouse」を設定します。,
|
||||
Sets 'Source Warehouse' in each row of the Items table.,Itemsテーブルの各行に「SourceWarehouse」を設定します。,
|
||||
POS Register,POSレジスタ,
|
||||
"Can not filter based on POS Profile, if grouped by POS Profile",POSプロファイルでグループ化されている場合、POSプロファイルに基づいてフィルタリングすることはできません,
|
||||
"Can not filter based on Customer, if grouped by Customer",顧客ごとにグループ化されている場合、顧客に基づいてフィルタリングすることはできません,
|
||||
"Can not filter based on Cashier, if grouped by Cashier",キャッシャーでグループ化されている場合、キャッシャーに基づいてフィルタリングすることはできません,
|
||||
Payment Method,支払方法,
|
||||
"Can not filter based on Payment Method, if grouped by Payment Method",支払い方法でグループ化されている場合、支払い方法に基づいてフィルタリングすることはできません,
|
||||
Supplier Quotation Comparison,サプライヤーの見積もりの比較,
|
||||
Price per Unit (Stock UOM),ユニットあたりの価格(ストック単位),
|
||||
Group by Supplier,サプライヤー別グループ,
|
||||
Group by Item,アイテムでグループ化,
|
||||
Remember to set {field_label}. It is required by {regulation}.,{field_label}を設定することを忘れないでください。 {規制}で義務付けられています。,
|
||||
Enrollment Date cannot be before the Start Date of the Academic Year {0},登録日は、学年度の開始日より前にすることはできません{0},
|
||||
Enrollment Date cannot be after the End Date of the Academic Term {0},登録日は、学期の終了日より後にすることはできません{0},
|
||||
Enrollment Date cannot be before the Start Date of the Academic Term {0},登録日は、学期の開始日より前にすることはできません{0},
|
||||
Posting future transactions are not allowed due to Immutable Ledger,不変元帳のため、将来の取引の転記は許可されていません,
|
||||
Future Posting Not Allowed,今後の投稿は許可されません,
|
||||
"To enable Capital Work in Progress Accounting, ",資本仕掛品会計を有効にするには、,
|
||||
you must select Capital Work in Progress Account in accounts table,勘定科目テーブルで資本仕掛品勘定科目を選択する必要があります,
|
||||
You can also set default CWIP account in Company {},会社{}でデフォルトのCWIPアカウントを設定することもできます,
|
||||
The Request for Quotation can be accessed by clicking on the following button,見積依頼には、次のボタンをクリックしてアクセスできます。,
|
||||
Regards,よろしく,
|
||||
Please click on the following button to set your new password,次のボタンをクリックして、新しいパスワードを設定してください,
|
||||
Update Password,パスワードの更新,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},行#{}:アイテム{}の販売率はその{}よりも低くなっています。 {}の販売は少なくとも{}である必要があります,
|
||||
You can alternatively disable selling price validation in {} to bypass this validation.,または、{}で販売価格の検証を無効にして、この検証をバイパスすることもできます。,
|
||||
Invalid Selling Price,無効な販売価格,
|
||||
Address needs to be linked to a Company. Please add a row for Company in the Links table.,住所は会社にリンクする必要があります。リンクテーブルに会社の行を追加してください。,
|
||||
Company Not Linked,リンクされていない会社,
|
||||
Import Chart of Accounts from CSV / Excel files,CSV / Excelファイルから勘定科目表をインポートする,
|
||||
Completed Qty cannot be greater than 'Qty to Manufacture',完了数量は「製造数量」を超えることはできません,
|
||||
"Row {0}: For Supplier {1}, Email Address is Required to send an email",行{0}:サプライヤー{1}の場合、Eメールを送信するにはEメールアドレスが必要です,
|
||||
|
Can't render this file because it is too large.
|
@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,បន្ទ
|
||||
Chargeble,អាចសាកបាន។,
|
||||
Charges are updated in Purchase Receipt against each item,ការចោទប្រកាន់ត្រូវបានធ្វើបច្ចុប្បន្នភាពនៅបង្កាន់ដៃទិញប្រឆាំងនឹងធាតុគ្នា,
|
||||
"Charges will be distributed proportionately based on item qty or amount, as per your selection",បទចោទប្រកាន់នឹងត្រូវបានចែកដោយផ្អែកលើធាតុ qty សមាមាត្រឬបរិមាណជាមួយជម្រើសរបស់អ្នក,
|
||||
Chart Of Accounts,គំនូសតាងគណនី,
|
||||
Chart of Cost Centers,គំនូសតាងនៃមជ្ឈមណ្ឌលការចំណាយ,
|
||||
Check all,សូមពិនិត្យមើលទាំងអស់,
|
||||
Checkout,ពិនិត្យមុនពេលចេញ,
|
||||
@ -581,7 +580,6 @@ Company {0} does not exist,ក្រុមហ៊ុន {0} មិនមានទ
|
||||
Compensatory Off,ទូទាត់បិទ,
|
||||
Compensatory leave request days not in valid holidays,ថ្ងៃស្នើសុំការឈប់សម្រាកមិនមានថ្ងៃឈប់សម្រាកត្រឹមត្រូវ,
|
||||
Complaint,បណ្តឹង,
|
||||
Completed Qty can not be greater than 'Qty to Manufacture',Qty បានបញ្ចប់មិនអាចជាធំជាង Qty ដើម្បីផលិត ",
|
||||
Completion Date,កាលបរិច្ឆេទបញ្ចប់,
|
||||
Computer,កុំព្យូទ័រ,
|
||||
Condition,លក្ខខណ្ឌ,
|
||||
@ -2033,7 +2031,6 @@ Please select Category first,សូមជ្រើសប្រភេទជាល
|
||||
Please select Charge Type first,សូមជ្រើសប្រភេទទទួលបន្ទុកជាលើកដំបូង,
|
||||
Please select Company,សូមជ្រើសរើសក្រុមហ៊ុន,
|
||||
Please select Company and Designation,សូមជ្រើសរើសក្រុមហ៊ុននិងការកំណត់,
|
||||
Please select Company and Party Type first,សូមជ្រើសប្រភេទក្រុមហ៊ុននិងបក្សទីមួយ,
|
||||
Please select Company and Posting Date to getting entries,សូមជ្រើសរើសក្រុមហ៊ុននិងកាលបរិច្ឆេទប្រកាសដើម្បីទទួលបានធាតុ,
|
||||
Please select Company first,សូមជ្រើសរើសក្រុមហ៊ុនដំបូង,
|
||||
Please select Completion Date for Completed Asset Maintenance Log,សូមជ្រើសកាលបរិច្ឆេទបញ្ចប់សម្រាប់កំណត់ហេតុថែរក្សាទ្រព្យសម្បត្តិរួចរាល់,
|
||||
@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,ឈ្មោ
|
||||
The name of your company for which you are setting up this system.,ឈ្មោះរបស់ក្រុមហ៊ុនរបស់អ្នកដែលអ្នកកំពុងបង្កើតប្រព័ន្ធនេះ។,
|
||||
The number of shares and the share numbers are inconsistent,ចំនួនភាគហ៊ុននិងលេខភាគហ៊ុនមិនសមស្រប,
|
||||
The payment gateway account in plan {0} is different from the payment gateway account in this payment request,គណនីច្រកទូទាត់នៅក្នុងគម្រោង {0} គឺខុសពីគណនីទូទាត់ប្រាក់នៅក្នុងការបង់ប្រាក់នេះ,
|
||||
The request for quotation can be accessed by clicking on the following link,សំណើរសម្រាប់សម្រង់នេះអាចត្រូវបានចូលដំណើរការដោយចុចលើតំណខាងក្រោម,
|
||||
The selected BOMs are not for the same item,នេះ BOMs បានជ្រើសរើសគឺមិនមែនសម្រាប់ធាតុដូចគ្នា,
|
||||
The selected item cannot have Batch,ធាតុដែលបានជ្រើសមិនអាចមានជំនាន់ទី,
|
||||
The seller and the buyer cannot be the same,អ្នកលក់និងអ្នកទិញមិនអាចមានលក្ខណៈដូចគ្នាទេ,
|
||||
@ -3130,7 +3126,6 @@ Total contribution percentage should be equal to 100,ភាគរយវិភា
|
||||
Total flexible benefit component amount {0} should not be less than max benefits {1},ចំនួនសរុបនៃផលប្រយោជន៏ដែលអាចបត់បែនបាន {0} មិនគួរតិចជាងអត្ថប្រយោជន៍ច្រើនបំផុត {1},
|
||||
Total hours: {0},ម៉ោងសរុប: {0},
|
||||
Total leaves allocated is mandatory for Leave Type {0},ចំនួនស្លឹកដែលបានបម្រុងទុកគឺចាំបាច់សម្រាប់ការចាកចេញពីប្រភេទ {0},
|
||||
Total weightage assigned should be 100%. It is {0},weightage សរុបដែលបានផ្ដល់គួរតែទទួលបាន 100% ។ វាគឺជា {0},
|
||||
Total working hours should not be greater than max working hours {0},ម៉ោងធ្វើការសរុបមិនគួរត្រូវបានធំជាងម៉ោងធ្វើការអតិបរមា {0},
|
||||
Total {0} ({1}),សរុប {0} ({1}),
|
||||
"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","សរុប {0} សម្រាប់ធាតុទាំងអស់គឺសូន្យ, អាចជាអ្នកគួរផ្លាស់ប្តូរ "ចែកបទចោទប្រកាន់ដោយផ្អែកលើ",
|
||||
@ -3544,7 +3539,6 @@ Company GSTIN,ក្រុមហ៊ុន GSTIN,
|
||||
Company field is required,វាលក្រុមហ៊ុនត្រូវបានទាមទារ។,
|
||||
Creating Dimensions...,កំពុងបង្កើតវិមាត្រ ...,
|
||||
Duplicate entry against the item code {0} and manufacturer {1},ស្ទួនធាតុប្រឆាំងនឹងកូដធាតុ {0} និងក្រុមហ៊ុនផលិត {1},
|
||||
Import Chart Of Accounts from CSV / Excel files,នាំចូលតារាងតម្លៃគណនីពីឯកសារស៊ីអេសអេស / អេហ្វអេស។,
|
||||
Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTIN មិនត្រឹមត្រូវ! ការបញ្ចូលដែលអ្នកបានបញ្ចូលមិនត្រូវគ្នានឹងទំរង់ GSTIN សំរាប់អ្នកកាន់ UIN រឺអ្នកផ្តល់សេវាកម្ម OIDAR មិនមែនអ្នកស្នាក់នៅ។,
|
||||
Invoice Grand Total,វិក្ក័យបត្រសរុប។,
|
||||
Last carbon check date cannot be a future date,កាលបរិច្ឆេទពិនិត្យកាបូនចុងក្រោយមិនអាចជាកាលបរិច្ឆេទនាពេលអនាគតទេ។,
|
||||
@ -3921,7 +3915,6 @@ Plaid authentication error,កំហុសក្នុងការផ្ទៀ
|
||||
Plaid public token error,កំហុសនិមិត្តសញ្ញាសាធារណៈរបស់ Plaid ។,
|
||||
Plaid transactions sync error,កំហុសក្នុងការធ្វើសមកាលកម្មប្រតិបត្តិការ Plaid ។,
|
||||
Please check the error log for details about the import errors,សូមពិនិត្យកំណត់ហេតុកំហុសសម្រាប់ព័ត៌មានលម្អិតអំពីកំហុសនាំចូល។,
|
||||
Please click on the following link to set your new password,សូមចុចលើតំណខាងក្រោមដើម្បីកំណត់ពាក្យសម្ងាត់ថ្មីរបស់អ្នក,
|
||||
Please create <b>DATEV Settings</b> for Company <b>{}</b>.,សូមបង្កើត <b>ការកំណត់ DATEV</b> សម្រាប់ក្រុមហ៊ុន <b>{}</b> ។,
|
||||
Please create adjustment Journal Entry for amount {0} ,សូមបង្កើតការកែសម្រួលទិនានុប្បវត្តិធាតុសម្រាប់ចំនួន {0},
|
||||
Please do not create more than 500 items at a time,សូមកុំបង្កើតរបស់របរច្រើនជាង ៥០០ ក្នុងពេលតែមួយ។,
|
||||
@ -3997,6 +3990,7 @@ Refreshing,ធ្វើឱ្យស្រស់,
|
||||
Release date must be in the future,កាលបរិច្ឆេទនៃការចេញផ្សាយត្រូវតែមាននាពេលអនាគត។,
|
||||
Relieving Date must be greater than or equal to Date of Joining,កាលបរិច្ឆេទដែលទុកចិត្តត្រូវតែធំជាងឬស្មើកាលបរិច្ឆេទនៃការចូលរួម,
|
||||
Rename,ប្តូរឈ្មោះ,
|
||||
Rename Not Allowed,មិនប្តូរឈ្មោះមិនអនុញ្ញាត។,
|
||||
Repayment Method is mandatory for term loans,វិធីសាស្រ្តទូទាត់សងគឺចាំបាច់សម្រាប់ប្រាក់កម្ចីរយៈពេល,
|
||||
Repayment Start Date is mandatory for term loans,កាលបរិច្ឆេទចាប់ផ្តើមសងគឺចាំបាច់សម្រាប់ប្រាក់កម្ចីមានកាលកំណត់,
|
||||
Report Item,រាយការណ៍អំពីធាតុ។,
|
||||
@ -4043,7 +4037,6 @@ Search results for,លទ្ធផលស្វែងរកសម្រាប់,
|
||||
Select All,ជ្រើសទាំងអស់,
|
||||
Select Difference Account,ជ្រើសរើសគណនីខុសគ្នា។,
|
||||
Select a Default Priority.,ជ្រើសអាទិភាពលំនាំដើម។,
|
||||
Select a Supplier from the Default Supplier List of the items below.,ជ្រើសរើសអ្នកផ្គត់ផ្គង់ពីបញ្ជីអ្នកផ្គត់ផ្គង់លំនាំដើមនៃធាតុខាងក្រោម។,
|
||||
Select a company,ជ្រើសរើសក្រុមហ៊ុន។,
|
||||
Select finance book for the item {0} at row {1},ជ្រើសរើសសៀវភៅហិរញ្ញវត្ថុសម្រាប់ធាតុ {០} នៅជួរ {១},
|
||||
Select only one Priority as Default.,ជ្រើសអាទិភាពមួយជាលំនាំដើម។,
|
||||
@ -4247,7 +4240,6 @@ Yes,បាទ,
|
||||
Actual ,ពិតប្រាកដ,
|
||||
Add to cart,បញ្ចូលទៅក្នុងរទេះ,
|
||||
Budget,ថវិការ,
|
||||
Chart Of Accounts Importer,តារាងនាំចូលគណនី។,
|
||||
Chart of Accounts,តារាងគណនី,
|
||||
Customer database.,មូលដ្ឋានទិន្នន័យអតិថិជន។,
|
||||
Days Since Last order,ថ្ងៃចាប់ពីលំដាប់ចុងក្រោយ,
|
||||
@ -4546,7 +4538,6 @@ Role that is allowed to submit transactions that exceed credit limits set.,ត
|
||||
Check Supplier Invoice Number Uniqueness,ពិនិត្យហាងទំនិញវិក័យប័ត្រលេខពិសេស,
|
||||
Make Payment via Journal Entry,ធ្វើឱ្យសេវាទូទាត់តាមរយៈ Journal Entry,
|
||||
Unlink Payment on Cancellation of Invoice,ដោះតំណទូទាត់វិក័យប័ត្រនៅលើការលុបចោល,
|
||||
Unlink Advance Payment on Cancelation of Order,ដកការបង់ប្រាក់ជាមុនលើការលុបចោលការបញ្ជាទិញ។,
|
||||
Book Asset Depreciation Entry Automatically,សៀវភៅរំលស់ទ្រព្យសម្បត្តិចូលដោយស្វ័យប្រវត្តិ,
|
||||
Automatically Add Taxes and Charges from Item Tax Template,បន្ថែមពន្ធនិងការគិតថ្លៃដោយស្វ័យប្រវត្តិពីគំរូពន្ធលើទំនិញ។,
|
||||
Automatically Fetch Payment Terms,ប្រមូលយកលក្ខខណ្ឌទូទាត់ដោយស្វ័យប្រវត្តិ។,
|
||||
@ -4940,7 +4931,6 @@ Closing Account Head,បិទនាយកគណនី,
|
||||
POS Customer Group,ក្រុមផ្ទាល់ខ្លួនម៉ាស៊ីនឆូតកាត,
|
||||
POS Field,វាលម៉ាស៊ីនឆូតកាត,
|
||||
POS Item Group,គ្រុបធាតុម៉ាស៊ីនឆូតកាត,
|
||||
[Select],[ជ្រើសរើស],
|
||||
Company Address,អាសយដ្ឋានរបស់ក្រុមហ៊ុន,
|
||||
Update Stock,ធ្វើឱ្យទាន់សម័យហ៊ុន,
|
||||
Ignore Pricing Rule,មិនអើពើវិធានតម្លៃ,
|
||||
@ -6481,7 +6471,6 @@ HR-APR-.YY.-.MM.,HR-APR-.YY.- .MM ។,
|
||||
Appraisal Template,ការវាយតម្លៃទំព័រគំរូ,
|
||||
For Employee Name,សម្រាប់ឈ្មោះបុគ្គលិក,
|
||||
Goals,គ្រាប់បាល់បញ្ចូលទី,
|
||||
Calculate Total Score,គណនាពិន្ទុសរុប,
|
||||
Total Score (Out of 5),ពិន្ទុសរុប (ក្នុងចំណោម 5),
|
||||
"Any other remarks, noteworthy effort that should go in the records.","ការកត់សម្គាល់ណាមួយផ្សេងទៀត, ការខិតខំប្រឹងប្រែងគួរឱ្យកត់សម្គាល់ដែលគួរតែចូលទៅក្នុងរបាយការណ៍។",
|
||||
Appraisal Goal,គោលដៅវាយតម្លៃ,
|
||||
@ -6599,11 +6588,6 @@ Relieving Date,កាលបរិច្ឆេទបន្ថយ,
|
||||
Reason for Leaving,ហេតុផលសម្រាប់ការចាកចេញ,
|
||||
Leave Encashed?,ទុកឱ្យ Encashed?,
|
||||
Encashment Date,Encashment កាលបរិច្ឆេទ,
|
||||
Exit Interview Details,ពត៌មានលំអិតចេញពីការសម្ភាសន៍,
|
||||
Held On,ប្រារព្ធឡើងនៅថ្ងៃទី,
|
||||
Reason for Resignation,ហេតុផលសម្រាប់ការលាលែងពីតំណែង,
|
||||
Better Prospects,ទស្សនវិស័យល្អប្រសើរជាងមុន,
|
||||
Health Concerns,ការព្រួយបារម្ភសុខភាព,
|
||||
New Workplace,ញូការងារ,
|
||||
HR-EAD-.YYYY.-,HR-EAD -YYYY.-,
|
||||
Returned Amount,ចំនួនទឹកប្រាក់ត្រឡប់មកវិញ,
|
||||
@ -8239,9 +8223,6 @@ Landed Cost Help,ជំនួយការចំណាយបានចុះចត
|
||||
Manufacturers used in Items,ក្រុមហ៊ុនផលិតដែលត្រូវបានប្រើនៅក្នុងធាតុ,
|
||||
Limited to 12 characters,កំណត់ទៅជា 12 តួអក្សរ,
|
||||
MAT-MR-.YYYY.-,MAT-MR-YYYY.-,
|
||||
Set Warehouse,កំណត់ឃ្លាំង,
|
||||
Sets 'For Warehouse' in each row of the Items table.,កំណត់ 'សម្រាប់ឃ្លាំង' នៅក្នុងជួរនីមួយៗនៃតារាងធាតុ។,
|
||||
Requested For,ស្នើសម្រាប់,
|
||||
Partially Ordered,បានបញ្ជាទិញដោយផ្នែក,
|
||||
Transferred,ផ្ទេរ,
|
||||
% Ordered,% បានបញ្ជា(ទិញឬលក់),
|
||||
@ -8690,8 +8671,6 @@ Material Request Warehouse,ឃ្លាំងស្នើសុំសម្ភ
|
||||
Select warehouse for material requests,ជ្រើសរើសឃ្លាំងសម្រាប់ការស្នើសុំសម្ភារៈ,
|
||||
Transfer Materials For Warehouse {0},ផ្ទេរសម្ភារៈសម្រាប់ឃ្លាំង {0},
|
||||
Production Plan Material Request Warehouse,សម្ភារៈស្នើសុំផែនការផលិតកម្មឃ្លាំង,
|
||||
Set From Warehouse,កំណត់ពីឃ្លាំង,
|
||||
Source Warehouse (Material Transfer),ឃ្លាំងប្រភព (ផ្ទេរសម្ភារៈ),
|
||||
Sets 'Source Warehouse' in each row of the items table.,កំណត់ 'ឃ្លាំងប្រភព' នៅក្នុងជួរនីមួយៗនៃតារាងធាតុ។,
|
||||
Sets 'Target Warehouse' in each row of the items table.,កំណត់ 'ឃ្លាំងគោលដៅ' នៅក្នុងជួរនីមួយៗនៃតារាងធាតុ។,
|
||||
Show Cancelled Entries,បង្ហាញធាតុដែលបានបោះបង់,
|
||||
@ -9157,7 +9136,6 @@ Professional Tax,ពន្ធវិជ្ជាជីវៈ,
|
||||
Is Income Tax Component,គឺជាសមាសធាតុពន្ធលើប្រាក់ចំណូល,
|
||||
Component properties and references ,លក្ខណៈសម្បត្តិនិងឯកសារយោង,
|
||||
Additional Salary ,ប្រាក់ខែបន្ថែម,
|
||||
Condtion and formula,លក្ខខណ្ឌនិងរូបមន្ត,
|
||||
Unmarked days,ថ្ងៃដែលមិនបានសម្គាល់,
|
||||
Absent Days,ថ្ងៃអវត្តមាន,
|
||||
Conditions and Formula variable and example,លក្ខខណ្ឌនិងអថេររូបមន្តនិងឧទាហរណ៍,
|
||||
@ -9444,7 +9422,6 @@ Plaid invalid request error,កំហុសសំណើមិនត្រឹម
|
||||
Please check your Plaid client ID and secret values,សូមពិនិត្យលេខសម្គាល់អតិថិជន Plaid និងតម្លៃសំងាត់,
|
||||
Bank transaction creation error,កំហុសក្នុងការបង្កើតប្រតិបត្តិការធនាគារ,
|
||||
Unit of Measurement,ឯកតារង្វាស់,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},ជួរដេក # {}៖ អត្រាលក់របស់ធាតុ {} ទាបជាង {} របស់វា។ អត្រាលក់គួរតែមានភាពអន់បំផុត {},
|
||||
Fiscal Year {0} Does Not Exist,ឆ្នាំសារពើពន្ធ {០} មិនមានទេ,
|
||||
Row # {0}: Returned Item {1} does not exist in {2} {3},ជួរដេក # {០}៖ ធាតុដែលបានត្រឡប់ {១} មិនមាននៅក្នុង {២} {៣},
|
||||
Valuation type charges can not be marked as Inclusive,ការចោទប្រកាន់ប្រភេទតម្លៃមិនអាចត្រូវបានសម្គាល់ថារាប់បញ្ចូលនោះទេ,
|
||||
@ -9598,8 +9575,60 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,កំណត
|
||||
Response Time for {0} priority in row {1} can't be greater than Resolution Time.,ពេលវេលាឆ្លើយតបសម្រាប់ {0} អាទិភាពក្នុងជួរដេក {1} មិនអាចធំជាងពេលវេលាដោះស្រាយបានទេ។,
|
||||
{0} is not enabled in {1},{0} មិនត្រូវបានបើកនៅក្នុង {1},
|
||||
Group by Material Request,ដាក់ជាក្រុមតាមសំណើសម្ភារៈ,
|
||||
"Row {0}: For Supplier {0}, Email Address is Required to Send Email",ជួរដេក {0}៖ សម្រាប់អ្នកផ្គត់ផ្គង់ {0} អាស័យដ្ឋានអ៊ីម៉ែលគឺត្រូវការផ្ញើអ៊ីមែល,
|
||||
Email Sent to Supplier {0},អ៊ីមែលបានផ្ញើទៅអ្នកផ្គត់ផ្គង់ {0},
|
||||
"The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.",សិទ្ធិទទួលបានការស្នើសុំដកស្រង់ពីវិបផតថលត្រូវបានបិទ។ ដើម្បីអនុញ្ញាតការចូលប្រើបើកវានៅក្នុងការកំណត់វិបផតថល។,
|
||||
Supplier Quotation {0} Created,សម្រង់អ្នកផ្គត់ផ្គង់ {០} បង្កើត,
|
||||
Valid till Date cannot be before Transaction Date,សុពលភាពរហូតដល់កាលបរិច្ឆេទមិនអាចមុនកាលបរិច្ឆេទប្រតិបត្តិការ,
|
||||
Unlink Advance Payment on Cancellation of Order,ដកការបង់ប្រាក់ជាមុនលើការលុបចោលការបញ្ជាទិញ,
|
||||
"Simple Python Expression, Example: territory != 'All Territories'",កន្សោមពស់ថ្លាន់សាមញ្ញឧទាហរណ៍៖ ទឹកដី! = 'ដែនដីទាំងអស់',
|
||||
Sales Contributions and Incentives,វិភាគទានការលក់និងការលើកទឹកចិត្ត,
|
||||
Sourced by Supplier,ប្រភពដោយអ្នកផ្គត់ផ្គង់,
|
||||
Total weightage assigned should be 100%.<br>It is {0},ទំងន់សរុបដែលបានកំណត់គួរមាន 100% ។<br> វាគឺ {0},
|
||||
Account {0} exists in parent company {1}.,គណនី {0} មាននៅក្នុងក្រុមហ៊ុនមេ {1} ។,
|
||||
"To overrule this, enable '{0}' in company {1}",ដើម្បីបដិសេធរឿងនេះបើកដំណើរការ '{0}' នៅក្នុងក្រុមហ៊ុន {1},
|
||||
Invalid condition expression,ការបង្ហាញលក្ខខណ្ឌមិនត្រឹមត្រូវ,
|
||||
Please Select a Company First,សូមជ្រើសរើសក្រុមហ៊ុនជាមុនសិន,
|
||||
Please Select Both Company and Party Type First,សូមជ្រើសរើសទាំងក្រុមហ៊ុននិងប្រភេទគណបក្សជាមុនសិន,
|
||||
Provide the invoice portion in percent,ផ្តល់ចំណែកវិក័យប័ត្រគិតជាភាគរយ,
|
||||
Give number of days according to prior selection,ផ្តល់ចំនួនថ្ងៃយោងទៅតាមការជ្រើសរើសមុន,
|
||||
Email Details,ព័ត៌មានលម្អិតអ៊ីមែល,
|
||||
"Select a greeting for the receiver. E.g. Mr., Ms., etc.","ជ្រើសរើសការស្វាគមន៍សម្រាប់អ្នកទទួល។ ឧ។ លោក, លោកស្រី, ល។",
|
||||
Preview Email,មើលអ៊ីមែលជាមុន,
|
||||
Please select a Supplier,សូមជ្រើសរើសអ្នកផ្គត់ផ្គង់,
|
||||
Supplier Lead Time (days),ពេលវេលានាំមុខអ្នកផ្គត់ផ្គង់ (ថ្ងៃ),
|
||||
"Home, Work, etc.",ផ្ទះកន្លែងធ្វើការ។ ល។,
|
||||
Exit Interview Held On,ការសំភាសន៍ចាកចេញបានធ្វើឡើង,
|
||||
Condition and formula,លក្ខខណ្ឌនិងរូបមន្ត,
|
||||
Sets 'Target Warehouse' in each row of the Items table.,កំណត់ 'ឃ្លាំងគោលដៅ' នៅក្នុងជួរនីមួយៗនៃតារាងធាតុ។,
|
||||
Sets 'Source Warehouse' in each row of the Items table.,កំណត់ 'ឃ្លាំងប្រភព' នៅក្នុងជួរនីមួយៗនៃតារាងធាតុ។,
|
||||
POS Register,ចុះឈ្មោះម៉ាស៊ីនឆូតកាត,
|
||||
"Can not filter based on POS Profile, if grouped by POS Profile",មិនអាចច្រោះដោយផ្អែកលើ POS Profile ទេប្រសិនបើត្រូវបានដាក់ជាក្រុមដោយ POS Profile,
|
||||
"Can not filter based on Customer, if grouped by Customer",មិនអាចច្រោះដោយផ្អែកលើអតិថិជនប្រសិនបើដាក់ជាក្រុមដោយអតិថិជន,
|
||||
"Can not filter based on Cashier, if grouped by Cashier",មិនអាចច្រោះដោយផ្អែកលើបេឡាករបានទេប្រសិនបើដាក់ជាក្រុមដោយបេឡាករ,
|
||||
Payment Method,វិធីសាស្រ្តទូទាត់,
|
||||
"Can not filter based on Payment Method, if grouped by Payment Method",មិនអាចច្រោះដោយផ្អែកលើវិធីបង់ប្រាក់ប្រសិនបើដាក់ជាក្រុមដោយវិធីបង់ប្រាក់,
|
||||
Supplier Quotation Comparison,ការប្រៀបធៀបសម្រង់អ្នកផ្គត់ផ្គង់,
|
||||
Price per Unit (Stock UOM),តម្លៃក្នុងមួយឯកតា (ស្តុក UOM),
|
||||
Group by Supplier,ដាក់ជាក្រុមដោយអ្នកផ្គត់ផ្គង់,
|
||||
Group by Item,ដាក់ជាក្រុមតាមធាតុ,
|
||||
Remember to set {field_label}. It is required by {regulation}.,កុំភ្លេចកំណត់ {វាល - ស្លាក} ។ វាត្រូវបានទាមទារដោយ {បទប្បញ្ញត្តិ} ។,
|
||||
Enrollment Date cannot be before the Start Date of the Academic Year {0},កាលបរិច្ឆេទចុះឈ្មោះចូលរៀនមិនអាចនៅមុនកាលបរិច្ឆេទចាប់ផ្តើមនៃឆ្នាំសិក្សា {0},
|
||||
Enrollment Date cannot be after the End Date of the Academic Term {0},កាលបរិច្ឆេទចុះឈ្មោះចូលរៀនមិនអាចនៅក្រោយកាលបរិច្ឆេទបញ្ចប់នៃរយៈពេលសិក្សា {0},
|
||||
Enrollment Date cannot be before the Start Date of the Academic Term {0},កាលបរិច្ឆេទចុះឈ្មោះចូលរៀនមិនអាចនៅមុនកាលបរិច្ឆេទចាប់ផ្ដើមនៃរយៈពេលសិក្សា {០},
|
||||
Posting future transactions are not allowed due to Immutable Ledger,ការបិទផ្សាយនូវប្រតិបត្តិការនាពេលអនាគតមិនត្រូវបានអនុញ្ញាតទេដោយសារតែមិនអាចកែប្រែបាន,
|
||||
Future Posting Not Allowed,ការបិទផ្សាយអនាគតមិនត្រូវបានអនុញ្ញាតទេ,
|
||||
"To enable Capital Work in Progress Accounting, ",ដើម្បីបើកដំណើរការគណនេយ្យនៅក្នុងវឌ្ឍនភាពគណនេយ្យ,
|
||||
you must select Capital Work in Progress Account in accounts table,អ្នកត្រូវជ្រើសរើសគណនីដើមទុនក្នុងដំណើរការវឌ្ឍនភាពនៅក្នុងតារាងគណនី,
|
||||
You can also set default CWIP account in Company {},អ្នកក៏អាចកំណត់គណនី CWIP លំនាំដើមនៅក្នុងក្រុមហ៊ុន {},
|
||||
The Request for Quotation can be accessed by clicking on the following button,ការស្នើសុំដកស្រង់អាចចូលបានដោយចុចលើប៊ូតុងខាងក្រោម,
|
||||
Regards,ដោយក្តីគោរព,
|
||||
Please click on the following button to set your new password,សូមចុចលើប៊ូតុងខាងក្រោមដើម្បីកំណត់លេខសំងាត់ថ្មីរបស់អ្នក,
|
||||
Update Password,ពាក្យសម្ងាត់ធ្វើបច្ចុប្បន្នភាព,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},ជួរដេក # {}៖ អត្រាលក់របស់ធាតុ {} ទាបជាង {} របស់វា។ ការលក់ {} គួរតែមានភាពអន់បំផុត {},
|
||||
You can alternatively disable selling price validation in {} to bypass this validation.,អ្នកអាចជំនួសការលក់សុពលភាពតម្លៃនៅក្នុង {} ដើម្បីចៀសវៀងសុពលភាពនេះ។,
|
||||
Invalid Selling Price,តំលៃលក់មិនត្រឹមត្រូវ,
|
||||
Address needs to be linked to a Company. Please add a row for Company in the Links table.,អាសយដ្ឋានត្រូវភ្ជាប់ទៅក្រុមហ៊ុន។ សូមបន្ថែមជួរសម្រាប់ក្រុមហ៊ុននៅក្នុងតារាងតំណ។,
|
||||
Company Not Linked,ក្រុមហ៊ុនមិនភ្ជាប់,
|
||||
Import Chart of Accounts from CSV / Excel files,នាំចូលតារាងតម្លៃគណនីពីឯកសារស៊ីអេសអេស / អេហ្វអេស,
|
||||
Completed Qty cannot be greater than 'Qty to Manufacture',Qty ដែលបានបញ្ចប់មិនអាចធំជាង“ Qty to Manufacturing” ទេ។,
|
||||
"Row {0}: For Supplier {1}, Email Address is Required to send an email",ជួរដេក {0}៖ សម្រាប់អ្នកផ្គត់ផ្គង់ {1} អាស័យដ្ឋានអ៊ីមែលត្រូវបានទាមទារដើម្បីផ្ញើអ៊ីមែល,
|
||||
|
Can't render this file because it is too large.
|
@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,ಮಾದರ
|
||||
Chargeble,ಚಾರ್ಜ್ ಮಾಡಬಹುದಾದ,
|
||||
Charges are updated in Purchase Receipt against each item,ಆರೋಪಗಳನ್ನು ಪ್ರತಿ ಐಟಂ ವಿರುದ್ಧ ಖರೀದಿ ರಿಸೀಟ್ನ್ನು ನವೀಕರಿಸಲಾಗುವುದು,
|
||||
"Charges will be distributed proportionately based on item qty or amount, as per your selection","ಆರೋಪಗಳನ್ನು ಸೂಕ್ತ ಪ್ರಮಾಣದಲ್ಲಿ ನಿಮ್ಮ ಆಯ್ಕೆಯ ಪ್ರಕಾರ, ಐಟಂ ಪ್ರಮಾಣ ಅಥವಾ ಪ್ರಮಾಣವನ್ನು ಆಧರಿಸಿ ಹಂಚಲಾಗುತ್ತದೆ",
|
||||
Chart Of Accounts,ಖಾತೆಗಳ ಚಾರ್ಟ್,
|
||||
Chart of Cost Centers,ವೆಚ್ಚ ಸೆಂಟರ್ಸ್ ಚಾರ್ಟ್,
|
||||
Check all,ಎಲ್ಲಾ ಪರಿಶೀಲಿಸಿ,
|
||||
Checkout,ಚೆಕ್ಔಟ್,
|
||||
@ -581,7 +580,6 @@ Company {0} does not exist,ಕಂಪನಿ {0} ಅಸ್ತಿತ್ವದಲ್
|
||||
Compensatory Off,ಪರಿಹಾರ ಆಫ್,
|
||||
Compensatory leave request days not in valid holidays,ಕಾಂಪೆನ್ಸೇಟರಿ ರಜೆ ವಿನಂತಿಯ ದಿನಗಳು ಮಾನ್ಯ ರಜಾದಿನಗಳಲ್ಲಿಲ್ಲ,
|
||||
Complaint,ದೂರು,
|
||||
Completed Qty can not be greater than 'Qty to Manufacture',ಹೆಚ್ಚು 'ಪ್ರಮಾಣ ತಯಾರಿಸಲು' ಮುಗಿದಿದೆ ಪ್ರಮಾಣ ಹೆಚ್ಚಾಗಿರುವುದು ಸಾಧ್ಯವಿಲ್ಲ,
|
||||
Completion Date,ಪೂರ್ಣಗೊಳ್ಳುವ ದಿನಾಂಕ,
|
||||
Computer,ಗಣಕಯಂತ್ರ,
|
||||
Condition,ಪರಿಸ್ಥಿತಿ,
|
||||
@ -2033,7 +2031,6 @@ Please select Category first,ಮೊದಲ ವರ್ಗ ಆಯ್ಕೆ ಮಾ
|
||||
Please select Charge Type first,ಮೊದಲ ಬ್ಯಾಚ್ ಪ್ರಕಾರವನ್ನು ಆಯ್ಕೆ ಮಾಡಿ,
|
||||
Please select Company,ಕಂಪನಿ ಆಯ್ಕೆಮಾಡಿ,
|
||||
Please select Company and Designation,ಕಂಪನಿ ಮತ್ತು ಸ್ಥಾನೀಕರಣವನ್ನು ಆಯ್ಕೆಮಾಡಿ,
|
||||
Please select Company and Party Type first,ಮೊದಲ ಕಂಪನಿ ಮತ್ತು ಪಕ್ಷದ ಕೌಟುಂಬಿಕತೆ ಆಯ್ಕೆ ಮಾಡಿ,
|
||||
Please select Company and Posting Date to getting entries,ನಮೂದುಗಳನ್ನು ಪಡೆಯಲು ಕಂಪನಿ ಮತ್ತು ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕವನ್ನು ಆಯ್ಕೆಮಾಡಿ,
|
||||
Please select Company first,ಮೊದಲ ಕಂಪನಿ ಆಯ್ಕೆ ಮಾಡಿ,
|
||||
Please select Completion Date for Completed Asset Maintenance Log,ದಯವಿಟ್ಟು ಪೂರ್ಣಗೊಂಡ ಆಸ್ತಿ ನಿರ್ವಹಣೆ ಲಾಗ್ಗಾಗಿ ಪೂರ್ಣಗೊಂಡ ದಿನಾಂಕವನ್ನು ಆಯ್ಕೆ ಮಾಡಿ,
|
||||
@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,ಸಂಸ್
|
||||
The name of your company for which you are setting up this system.,ನೀವು ಈ ಗಣಕವನ್ನು ಹೊಂದಿಸುವ ಇದು ನಿಮ್ಮ ಕಂಪನಿ ಹೆಸರು .,
|
||||
The number of shares and the share numbers are inconsistent,ಷೇರುಗಳ ಸಂಖ್ಯೆ ಮತ್ತು ಷೇರು ಸಂಖ್ಯೆಗಳು ಅಸಮಂಜಸವಾಗಿದೆ,
|
||||
The payment gateway account in plan {0} is different from the payment gateway account in this payment request,{0} ಯೋಜನೆಯಲ್ಲಿ ಪಾವತಿ ಗೇಟ್ವೇ ಖಾತೆ ಈ ಪಾವತಿ ವಿನಂತಿಯಲ್ಲಿ ಪಾವತಿ ಗೇಟ್ವೇ ಖಾತೆಯಿಂದ ಭಿನ್ನವಾಗಿದೆ,
|
||||
The request for quotation can be accessed by clicking on the following link,ಉದ್ಧರಣ ವಿನಂತಿಯನ್ನು ಕೆಳಗಿನ ಲಿಂಕ್ ಕ್ಲಿಕ್ಕಿಸಿ ನಿಲುಕಿಸಿಕೊಳ್ಳಬಹುದು,
|
||||
The selected BOMs are not for the same item,ಆಯ್ಕೆ BOMs ಒಂದೇ ಐಟಂ ಅಲ್ಲ,
|
||||
The selected item cannot have Batch,ಆಯ್ದುಕೊಂಡ ಬ್ಯಾಚ್ ಹೊಂದುವಂತಿಲ್ಲ,
|
||||
The seller and the buyer cannot be the same,ಮಾರಾಟಗಾರ ಮತ್ತು ಖರೀದಿದಾರರು ಒಂದೇ ಆಗಿರುವುದಿಲ್ಲ,
|
||||
@ -3130,7 +3126,6 @@ Total contribution percentage should be equal to 100,ಒಟ್ಟು ಕೊಡ
|
||||
Total flexible benefit component amount {0} should not be less than max benefits {1},ಒಟ್ಟು ಹೊಂದಿಕೊಳ್ಳುವ ಲಾಭಾಂಶದ ಮೊತ್ತವು {0} ಗರಿಷ್ಠ ಪ್ರಯೋಜನಗಳಿಗಿಂತ ಕಡಿಮೆ ಇರಬಾರದು {1},
|
||||
Total hours: {0},ಒಟ್ಟು ಗಂಟೆಗಳ: {0},
|
||||
Total leaves allocated is mandatory for Leave Type {0},ನಿಯೋಜಿಸಲಾದ ಒಟ್ಟು ಎಲೆಗಳು ಲೀವ್ ಟೈಪ್ {0} ಗೆ ಕಡ್ಡಾಯವಾಗಿದೆ.,
|
||||
Total weightage assigned should be 100%. It is {0},ನಿಯೋಜಿಸಲಾಗಿದೆ ಒಟ್ಟು ಪ್ರಾಮುಖ್ಯತೆಯನ್ನು 100% ಇರಬೇಕು. ಇದು {0},
|
||||
Total working hours should not be greater than max working hours {0},ಒಟ್ಟು ಕೆಲಸದ ಗರಿಷ್ಠ ಕೆಲಸದ ಹೆಚ್ಚು ಮಾಡಬಾರದು {0},
|
||||
Total {0} ({1}),ಒಟ್ಟು {0} ({1}),
|
||||
"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","ಒಟ್ಟು {0} ಎಲ್ಲಾ ಐಟಂಗಳನ್ನು, ಶೂನ್ಯವಾಗಿರುತ್ತದೆ ನೀವು ರಂದು ಆಧರಿಸಿ ಚಾರ್ಜಸ್ ವಿತರಿಸಿ 'ಬದಲಿಸಬೇಕಾಗುತ್ತದೆ ಇರಬಹುದು",
|
||||
@ -3544,7 +3539,6 @@ Company GSTIN,ಕಂಪನಿ GSTIN,
|
||||
Company field is required,ಕಂಪನಿ ಕ್ಷೇತ್ರದ ಅಗತ್ಯವಿದೆ,
|
||||
Creating Dimensions...,ಆಯಾಮಗಳನ್ನು ರಚಿಸಲಾಗುತ್ತಿದೆ ...,
|
||||
Duplicate entry against the item code {0} and manufacturer {1},ಐಟಂ ಕೋಡ್ {0} ಮತ್ತು ತಯಾರಕ {1} ವಿರುದ್ಧ ನಕಲು ಪ್ರವೇಶ,
|
||||
Import Chart Of Accounts from CSV / Excel files,CSV / Excel ಫೈಲ್ಗಳಿಂದ ಖಾತೆಗಳ ಚಾರ್ಟ್ ಅನ್ನು ಆಮದು ಮಾಡಿ,
|
||||
Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,ಅಮಾನ್ಯ GSTIN! ನೀವು ನಮೂದಿಸಿದ ಇನ್ಪುಟ್ ಯುಐಎನ್ ಹೊಂದಿರುವವರು ಅಥವಾ ಅನಿವಾಸಿ ಒಐಡಿಎಆರ್ ಸೇವಾ ಪೂರೈಕೆದಾರರಿಗೆ ಜಿಎಸ್ಟಿಎನ್ ಸ್ವರೂಪಕ್ಕೆ ಹೊಂದಿಕೆಯಾಗುವುದಿಲ್ಲ,
|
||||
Invoice Grand Total,ಸರಕುಪಟ್ಟಿ ಗ್ರ್ಯಾಂಡ್ ಒಟ್ಟು,
|
||||
Last carbon check date cannot be a future date,ಕೊನೆಯ ಇಂಗಾಲದ ಪರಿಶೀಲನಾ ದಿನಾಂಕ ಭವಿಷ್ಯದ ದಿನಾಂಕವಾಗಿರಬಾರದು,
|
||||
@ -3921,7 +3915,6 @@ Plaid authentication error,ಪ್ಲೈಡ್ ದೃ hentic ೀಕರಣ ದೋ
|
||||
Plaid public token error,ಸಾರ್ವಜನಿಕ ಟೋಕನ್ ದೋಷ,
|
||||
Plaid transactions sync error,ಪ್ಲೈಡ್ ವಹಿವಾಟುಗಳು ಸಿಂಕ್ ದೋಷ,
|
||||
Please check the error log for details about the import errors,ಆಮದು ದೋಷಗಳ ವಿವರಗಳಿಗಾಗಿ ದಯವಿಟ್ಟು ದೋಷ ಲಾಗ್ ಅನ್ನು ಪರಿಶೀಲಿಸಿ,
|
||||
Please click on the following link to set your new password,ನಿಮ್ಮ ಹೊಸ ಗುಪ್ತಪದವನ್ನು ಕೆಳಗಿನ ಲಿಂಕ್ ಅನ್ನು ಕ್ಲಿಕ್ ಮಾಡಿ,
|
||||
Please create <b>DATEV Settings</b> for Company <b>{}</b>.,ದಯವಿಟ್ಟು ಕಂಪೆನಿಗೆ <b>DATEV ಸೆಟ್ಟಿಂಗ್ಗಳನ್ನು</b> <b>{ರಚಿಸಲು}.</b>,
|
||||
Please create adjustment Journal Entry for amount {0} ,ದಯವಿಟ್ಟು value 0 ಮೊತ್ತಕ್ಕೆ ಹೊಂದಾಣಿಕೆ ಜರ್ನಲ್ ನಮೂದನ್ನು ರಚಿಸಿ,
|
||||
Please do not create more than 500 items at a time,ದಯವಿಟ್ಟು ಒಂದು ಸಮಯದಲ್ಲಿ 500 ಕ್ಕೂ ಹೆಚ್ಚು ವಸ್ತುಗಳನ್ನು ರಚಿಸಬೇಡಿ,
|
||||
@ -3997,6 +3990,7 @@ Refreshing,ರಿಫ್ರೆಶ್,
|
||||
Release date must be in the future,ಬಿಡುಗಡೆ ದಿನಾಂಕ ಭವಿಷ್ಯದಲ್ಲಿರಬೇಕು,
|
||||
Relieving Date must be greater than or equal to Date of Joining,ಪರಿಹಾರ ದಿನಾಂಕವು ಸೇರುವ ದಿನಾಂಕಕ್ಕಿಂತ ದೊಡ್ಡದಾಗಿರಬೇಕು ಅಥವಾ ಸಮನಾಗಿರಬೇಕು,
|
||||
Rename,ಹೊಸ ಹೆಸರಿಡು,
|
||||
Rename Not Allowed,ಮರುಹೆಸರಿಸಲು ಅನುಮತಿಸಲಾಗಿಲ್ಲ,
|
||||
Repayment Method is mandatory for term loans,ಟರ್ಮ್ ಸಾಲಗಳಿಗೆ ಮರುಪಾವತಿ ವಿಧಾನ ಕಡ್ಡಾಯವಾಗಿದೆ,
|
||||
Repayment Start Date is mandatory for term loans,ಅವಧಿ ಸಾಲಗಳಿಗೆ ಮರುಪಾವತಿ ಪ್ರಾರಂಭ ದಿನಾಂಕ ಕಡ್ಡಾಯವಾಗಿದೆ,
|
||||
Report Item,ಐಟಂ ವರದಿ ಮಾಡಿ,
|
||||
@ -4043,7 +4037,6 @@ Search results for,ಹುಡುಕಾಟ ಫಲಿತಾಂಶಗಳು,
|
||||
Select All,ಎಲ್ಲಾ ಆಯ್ಕೆಮಾಡಿ,
|
||||
Select Difference Account,ವ್ಯತ್ಯಾಸ ಖಾತೆ ಆಯ್ಕೆಮಾಡಿ,
|
||||
Select a Default Priority.,ಡೀಫಾಲ್ಟ್ ಆದ್ಯತೆಯನ್ನು ಆಯ್ಕೆಮಾಡಿ.,
|
||||
Select a Supplier from the Default Supplier List of the items below.,ಕೆಳಗಿನ ಐಟಂಗಳ ಡೀಫಾಲ್ಟ್ ಸರಬರಾಜುದಾರರ ಪಟ್ಟಿಯಿಂದ ಸರಬರಾಜುದಾರರನ್ನು ಆಯ್ಕೆಮಾಡಿ.,
|
||||
Select a company,ಕಂಪನಿಯನ್ನು ಆಯ್ಕೆ ಮಾಡಿ,
|
||||
Select finance book for the item {0} at row {1},{1 row ಸಾಲಿನಲ್ಲಿ {0 item ಐಟಂಗೆ ಹಣಕಾಸು ಪುಸ್ತಕವನ್ನು ಆಯ್ಕೆಮಾಡಿ,
|
||||
Select only one Priority as Default.,ಡೀಫಾಲ್ಟ್ ಆಗಿ ಕೇವಲ ಒಂದು ಆದ್ಯತೆಯನ್ನು ಆಯ್ಕೆಮಾಡಿ.,
|
||||
@ -4247,7 +4240,6 @@ Yes,ಹೌದು,
|
||||
Actual ,ವಾಸ್ತವಿಕ,
|
||||
Add to cart,ಕಾರ್ಟ್ ಸೇರಿಸಿ,
|
||||
Budget,ಮುಂಗಡಪತ್ರ,
|
||||
Chart Of Accounts Importer,ಖಾತೆಗಳ ಆಮದುದಾರರ ಚಾರ್ಟ್,
|
||||
Chart of Accounts,ಖಾತೆಗಳ ಚಾರ್ಟ್,
|
||||
Customer database.,ಗ್ರಾಹಕ ಡೇಟಾಬೇಸ್.,
|
||||
Days Since Last order,ದಿನಗಳಿಂದಲೂ ಕೊನೆಯ ಆರ್ಡರ್,
|
||||
@ -4546,7 +4538,6 @@ Role that is allowed to submit transactions that exceed credit limits set.,ಪ
|
||||
Check Supplier Invoice Number Uniqueness,ಚೆಕ್ ಸರಬರಾಜುದಾರ ಸರಕುಪಟ್ಟಿ ಸಂಖ್ಯೆ ವೈಶಿಷ್ಟ್ಯ,
|
||||
Make Payment via Journal Entry,ಜರ್ನಲ್ ಎಂಟ್ರಿ ಮೂಲಕ ಪಾವತಿ ಮಾಡಲು,
|
||||
Unlink Payment on Cancellation of Invoice,ಸರಕುಪಟ್ಟಿ ರದ್ದು ಮೇಲೆ ಪಾವತಿ ಅನ್ಲಿಂಕ್,
|
||||
Unlink Advance Payment on Cancelation of Order,ಆದೇಶವನ್ನು ರದ್ದುಗೊಳಿಸುವ ಕುರಿತು ಮುಂಗಡ ಪಾವತಿಯನ್ನು ಅನ್ಲಿಂಕ್ ಮಾಡಿ,
|
||||
Book Asset Depreciation Entry Automatically,ಪುಸ್ತಕ ಸ್ವತ್ತು ಸವಕಳಿ ಎಂಟ್ರಿ ಸ್ವಯಂಚಾಲಿತವಾಗಿ,
|
||||
Automatically Add Taxes and Charges from Item Tax Template,ಐಟಂ ತೆರಿಗೆ ಟೆಂಪ್ಲೇಟ್ನಿಂದ ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಸೇರಿಸಿ,
|
||||
Automatically Fetch Payment Terms,ಪಾವತಿ ನಿಯಮಗಳನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಪಡೆದುಕೊಳ್ಳಿ,
|
||||
@ -4940,7 +4931,6 @@ Closing Account Head,ಖಾತೆ ಮುಚ್ಚುವಿಕೆಗೆ ಹೆಡ
|
||||
POS Customer Group,ಪಿಓಎಸ್ ಗ್ರಾಹಕ ಗುಂಪಿನ,
|
||||
POS Field,ಪಿಒಎಸ್ ಕ್ಷೇತ್ರ,
|
||||
POS Item Group,ಪಿಓಎಸ್ ಐಟಂ ಗ್ರೂಪ್,
|
||||
[Select],[ ಆರಿಸಿರಿ ],
|
||||
Company Address,ಕಂಪೆನಿ ವಿಳಾಸ,
|
||||
Update Stock,ಸ್ಟಾಕ್ ನವೀಕರಿಸಲು,
|
||||
Ignore Pricing Rule,ಬೆಲೆ ರೂಲ್ ನಿರ್ಲಕ್ಷಿಸು,
|
||||
@ -6481,7 +6471,6 @@ HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM.,
|
||||
Appraisal Template,ಅಪ್ರೇಸಲ್ ಟೆಂಪ್ಲೇಟು,
|
||||
For Employee Name,ನೌಕರರ ಹೆಸರು,
|
||||
Goals,ಗುರಿಗಳು,
|
||||
Calculate Total Score,ಒಟ್ಟು ಸ್ಕೋರ್ ಲೆಕ್ಕ,
|
||||
Total Score (Out of 5),ಒಟ್ಟು ಸ್ಕೋರ್ ( 5),
|
||||
"Any other remarks, noteworthy effort that should go in the records.","ಯಾವುದೇ ಟೀಕೆಗಳನ್ನು, ದಾಖಲೆಗಳಲ್ಲಿ ಹೋಗಬೇಕು ಎಂದು ವಿವರಣೆಯಾಗಿದೆ ಪ್ರಯತ್ನ.",
|
||||
Appraisal Goal,ಅಪ್ರೇಸಲ್ ಗೋಲ್,
|
||||
@ -6599,11 +6588,6 @@ Relieving Date,ದಿನಾಂಕ ನಿವಾರಿಸುವ,
|
||||
Reason for Leaving,ಲೀವಿಂಗ್ ಕಾರಣ,
|
||||
Leave Encashed?,Encashed ಬಿಡಿ ?,
|
||||
Encashment Date,ನಗದೀಕರಣ ದಿನಾಂಕ,
|
||||
Exit Interview Details,ಎಕ್ಸಿಟ್ ಸಂದರ್ಶನ ವಿವರಗಳು,
|
||||
Held On,ನಡೆದ,
|
||||
Reason for Resignation,ರಾಜೀನಾಮೆಗೆ ಕಾರಣ,
|
||||
Better Prospects,ಉತ್ತಮ ಜೀವನ,
|
||||
Health Concerns,ಆರೋಗ್ಯ ಕಾಳಜಿ,
|
||||
New Workplace,ಹೊಸ ಕೆಲಸದ,
|
||||
HR-EAD-.YYYY.-,HR-EAD-YYYY.-,
|
||||
Returned Amount,ಹಿಂತಿರುಗಿದ ಮೊತ್ತ,
|
||||
@ -8239,9 +8223,6 @@ Landed Cost Help,ಇಳಿಯಿತು ವೆಚ್ಚ ಸಹಾಯ,
|
||||
Manufacturers used in Items,ವಸ್ತುಗಳ ತಯಾರಿಕೆಯಲ್ಲಿ ತಯಾರಕರು,
|
||||
Limited to 12 characters,"12 ಪಾತ್ರಗಳು,",
|
||||
MAT-MR-.YYYY.-,MAT-MR-YYYY.-,
|
||||
Set Warehouse,ಗೋದಾಮು ಹೊಂದಿಸಿ,
|
||||
Sets 'For Warehouse' in each row of the Items table.,ಐಟಂಗಳ ಕೋಷ್ಟಕದ ಪ್ರತಿಯೊಂದು ಸಾಲಿನಲ್ಲಿ 'ಗೋದಾಮಿಗಾಗಿ' ಹೊಂದಿಸುತ್ತದೆ.,
|
||||
Requested For,ಮನವಿ,
|
||||
Partially Ordered,ಭಾಗಶಃ ಆದೇಶಿಸಲಾಗಿದೆ,
|
||||
Transferred,ವರ್ಗಾಯಿಸಲ್ಪಟ್ಟ,
|
||||
% Ordered,% ಆದೇಶ,
|
||||
@ -8690,8 +8671,6 @@ Material Request Warehouse,ವಸ್ತು ವಿನಂತಿ ಗೋದಾಮು
|
||||
Select warehouse for material requests,ವಸ್ತು ವಿನಂತಿಗಳಿಗಾಗಿ ಗೋದಾಮು ಆಯ್ಕೆಮಾಡಿ,
|
||||
Transfer Materials For Warehouse {0},ಗೋದಾಮಿನ ಸಾಮಗ್ರಿಗಳನ್ನು ವರ್ಗಾಯಿಸಿ {0},
|
||||
Production Plan Material Request Warehouse,ಉತ್ಪಾದನಾ ಯೋಜನೆ ವಸ್ತು ವಿನಂತಿ ಗೋದಾಮು,
|
||||
Set From Warehouse,ಗೋದಾಮಿನಿಂದ ಹೊಂದಿಸಿ,
|
||||
Source Warehouse (Material Transfer),ಮೂಲ ಗೋದಾಮು (ವಸ್ತು ವರ್ಗಾವಣೆ),
|
||||
Sets 'Source Warehouse' in each row of the items table.,ಐಟಂಗಳ ಟೇಬಲ್ನ ಪ್ರತಿಯೊಂದು ಸಾಲಿನಲ್ಲಿ 'ಮೂಲ ಗೋದಾಮು' ಹೊಂದಿಸುತ್ತದೆ.,
|
||||
Sets 'Target Warehouse' in each row of the items table.,ಐಟಂಗಳ ಟೇಬಲ್ನ ಪ್ರತಿಯೊಂದು ಸಾಲಿನಲ್ಲಿ 'ಟಾರ್ಗೆಟ್ ವೇರ್ಹೌಸ್' ಅನ್ನು ಹೊಂದಿಸುತ್ತದೆ.,
|
||||
Show Cancelled Entries,ರದ್ದಾದ ನಮೂದುಗಳನ್ನು ತೋರಿಸಿ,
|
||||
@ -9157,7 +9136,6 @@ Professional Tax,ವೃತ್ತಿಪರ ತೆರಿಗೆ,
|
||||
Is Income Tax Component,ಆದಾಯ ತೆರಿಗೆ ಘಟಕವಾಗಿದೆ,
|
||||
Component properties and references ,ಘಟಕ ಗುಣಲಕ್ಷಣಗಳು ಮತ್ತು ಉಲ್ಲೇಖಗಳು,
|
||||
Additional Salary ,ಹೆಚ್ಚುವರಿ ಸಂಬಳ,
|
||||
Condtion and formula,ಸ್ಥಿತಿ ಮತ್ತು ಸೂತ್ರ,
|
||||
Unmarked days,ಗುರುತು ಹಾಕದ ದಿನಗಳು,
|
||||
Absent Days,ಅನುಪಸ್ಥಿತಿಯ ದಿನಗಳು,
|
||||
Conditions and Formula variable and example,ಷರತ್ತುಗಳು ಮತ್ತು ಫಾರ್ಮುಲಾ ವೇರಿಯಬಲ್ ಮತ್ತು ಉದಾಹರಣೆ,
|
||||
@ -9444,7 +9422,6 @@ Plaid invalid request error,ಪ್ಲೈಡ್ ಅಮಾನ್ಯ ವಿನಂ
|
||||
Please check your Plaid client ID and secret values,ದಯವಿಟ್ಟು ನಿಮ್ಮ ಪ್ಲೈಡ್ ಕ್ಲೈಂಟ್ ಐಡಿ ಮತ್ತು ರಹಸ್ಯ ಮೌಲ್ಯಗಳನ್ನು ಪರಿಶೀಲಿಸಿ,
|
||||
Bank transaction creation error,ಬ್ಯಾಂಕ್ ವಹಿವಾಟು ರಚನೆ ದೋಷ,
|
||||
Unit of Measurement,ಅಳತೆಯ ಘಟಕ,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},ಸಾಲು # {}: ಐಟಂ for for ಗೆ ಮಾರಾಟ ದರ ಅದರ than than ಗಿಂತ ಕಡಿಮೆಯಾಗಿದೆ. ಮಾರಾಟ ದರ ಕನಿಷ್ಠ be} ಆಗಿರಬೇಕು,
|
||||
Fiscal Year {0} Does Not Exist,ಹಣಕಾಸಿನ ವರ್ಷ {0 Ex ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ,
|
||||
Row # {0}: Returned Item {1} does not exist in {2} {3},ಸಾಲು # {0}: ಹಿಂತಿರುಗಿದ ಐಟಂ {1} {2} {3 in ನಲ್ಲಿ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ,
|
||||
Valuation type charges can not be marked as Inclusive,ಮೌಲ್ಯಮಾಪನ ಪ್ರಕಾರದ ಶುಲ್ಕಗಳನ್ನು ಅಂತರ್ಗತ ಎಂದು ಗುರುತಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ,
|
||||
@ -9598,8 +9575,60 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,{1 row ಸಾ
|
||||
Response Time for {0} priority in row {1} can't be greater than Resolution Time.,{1 row ಸಾಲಿನಲ್ಲಿ {0} ಆದ್ಯತೆಯ ಪ್ರತಿಕ್ರಿಯೆ ಸಮಯ ರೆಸಲ್ಯೂಶನ್ ಸಮಯಕ್ಕಿಂತ ಹೆಚ್ಚಿರಬಾರದು.,
|
||||
{0} is not enabled in {1},{0 in ಅನ್ನು {1 in ನಲ್ಲಿ ಸಕ್ರಿಯಗೊಳಿಸಲಾಗಿಲ್ಲ,
|
||||
Group by Material Request,ವಸ್ತು ವಿನಂತಿಯ ಪ್ರಕಾರ ಗುಂಪು,
|
||||
"Row {0}: For Supplier {0}, Email Address is Required to Send Email","ಸಾಲು {0}: ಪೂರೈಕೆದಾರ {0 For ಗೆ, ಇಮೇಲ್ ಕಳುಹಿಸಲು ಇಮೇಲ್ ವಿಳಾಸದ ಅಗತ್ಯವಿದೆ",
|
||||
Email Sent to Supplier {0},ಇಮೇಲ್ ಸರಬರಾಜುದಾರರಿಗೆ ಕಳುಹಿಸಲಾಗಿದೆ {0},
|
||||
"The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.","ಪೋರ್ಟಲ್ನಿಂದ ಉದ್ಧರಣಕ್ಕಾಗಿ ವಿನಂತಿಯ ಪ್ರವೇಶವನ್ನು ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ. ಪ್ರವೇಶವನ್ನು ಅನುಮತಿಸಲು, ಪೋರ್ಟಲ್ ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ ಅದನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ.",
|
||||
Supplier Quotation {0} Created,ಪೂರೈಕೆದಾರ ಉದ್ಧರಣ {0} ರಚಿಸಲಾಗಿದೆ,
|
||||
Valid till Date cannot be before Transaction Date,ವಹಿವಾಟು ದಿನಾಂಕದ ಮೊದಲು ದಿನಾಂಕದವರೆಗೆ ಮಾನ್ಯವಾಗಿಲ್ಲ,
|
||||
Unlink Advance Payment on Cancellation of Order,ಆದೇಶವನ್ನು ರದ್ದುಗೊಳಿಸುವ ಕುರಿತು ಮುಂಗಡ ಪಾವತಿಯನ್ನು ಅನ್ಲಿಂಕ್ ಮಾಡಿ,
|
||||
"Simple Python Expression, Example: territory != 'All Territories'","ಸರಳ ಪೈಥಾನ್ ಅಭಿವ್ಯಕ್ತಿ, ಉದಾಹರಣೆ: ಪ್ರದೇಶ! = 'ಎಲ್ಲಾ ಪ್ರಾಂತ್ಯಗಳು'",
|
||||
Sales Contributions and Incentives,ಮಾರಾಟ ಕೊಡುಗೆಗಳು ಮತ್ತು ಪ್ರೋತ್ಸಾಹಕಗಳು,
|
||||
Sourced by Supplier,ಸರಬರಾಜುದಾರರಿಂದ ಹುಳಿ,
|
||||
Total weightage assigned should be 100%.<br>It is {0},ನಿಗದಿಪಡಿಸಿದ ಒಟ್ಟು ತೂಕ 100% ಆಗಿರಬೇಕು.<br> ಇದು {0},
|
||||
Account {0} exists in parent company {1}.,ಪೋಷಕ ಕಂಪನಿ {1 in ನಲ್ಲಿ ಖಾತೆ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ.,
|
||||
"To overrule this, enable '{0}' in company {1}","ಇದನ್ನು ರದ್ದುಗೊಳಿಸಲು, {1 company ಕಂಪನಿಯಲ್ಲಿ '{0}' ಅನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ",
|
||||
Invalid condition expression,ಅಮಾನ್ಯ ಸ್ಥಿತಿ ಅಭಿವ್ಯಕ್ತಿ,
|
||||
Please Select a Company First,ದಯವಿಟ್ಟು ಮೊದಲು ಕಂಪನಿಯನ್ನು ಆಯ್ಕೆ ಮಾಡಿ,
|
||||
Please Select Both Company and Party Type First,ದಯವಿಟ್ಟು ಮೊದಲು ಕಂಪನಿ ಮತ್ತು ಪಕ್ಷದ ಪ್ರಕಾರ ಎರಡನ್ನೂ ಆಯ್ಕೆ ಮಾಡಿ,
|
||||
Provide the invoice portion in percent,ಸರಕುಪಟ್ಟಿ ಭಾಗವನ್ನು ಶೇಕಡಾವಾರು ಒದಗಿಸಿ,
|
||||
Give number of days according to prior selection,ಪೂರ್ವ ಆಯ್ಕೆಯ ಪ್ರಕಾರ ದಿನಗಳ ಸಂಖ್ಯೆಯನ್ನು ನೀಡಿ,
|
||||
Email Details,ಇಮೇಲ್ ವಿವರಗಳು,
|
||||
"Select a greeting for the receiver. E.g. Mr., Ms., etc.","ಸ್ವೀಕರಿಸುವವರಿಗೆ ಶುಭಾಶಯ ಆಯ್ಕೆಮಾಡಿ. ಉದಾ. ಶ್ರೀ, ಮಿಸ್, ಇತ್ಯಾದಿ.",
|
||||
Preview Email,ಇಮೇಲ್ ಪೂರ್ವವೀಕ್ಷಣೆ ಮಾಡಿ,
|
||||
Please select a Supplier,ದಯವಿಟ್ಟು ಸರಬರಾಜುದಾರರನ್ನು ಆಯ್ಕೆ ಮಾಡಿ,
|
||||
Supplier Lead Time (days),ಸರಬರಾಜುದಾರರ ಪ್ರಮುಖ ಸಮಯ (ದಿನಗಳು),
|
||||
"Home, Work, etc.","ಮನೆ, ಕೆಲಸ ಇತ್ಯಾದಿ.",
|
||||
Exit Interview Held On,ಸಂದರ್ಶನದಿಂದ ನಿರ್ಗಮಿಸಿ,
|
||||
Condition and formula,ಸ್ಥಿತಿ ಮತ್ತು ಸೂತ್ರ,
|
||||
Sets 'Target Warehouse' in each row of the Items table.,ಐಟಂಗಳ ಟೇಬಲ್ನ ಪ್ರತಿಯೊಂದು ಸಾಲಿನಲ್ಲಿ 'ಟಾರ್ಗೆಟ್ ವೇರ್ಹೌಸ್' ಅನ್ನು ಹೊಂದಿಸುತ್ತದೆ.,
|
||||
Sets 'Source Warehouse' in each row of the Items table.,ಐಟಂಗಳ ಕೋಷ್ಟಕದ ಪ್ರತಿಯೊಂದು ಸಾಲಿನಲ್ಲಿ 'ಮೂಲ ಗೋದಾಮು' ಹೊಂದಿಸುತ್ತದೆ.,
|
||||
POS Register,ಪಿಓಎಸ್ ರಿಜಿಸ್ಟರ್,
|
||||
"Can not filter based on POS Profile, if grouped by POS Profile",ಪಿಒಎಸ್ ಪ್ರೊಫೈಲ್ನಿಂದ ಗುಂಪು ಮಾಡಿದರೆ ಪಿಒಎಸ್ ಪ್ರೊಫೈಲ್ ಆಧರಿಸಿ ಫಿಲ್ಟರ್ ಮಾಡಲು ಸಾಧ್ಯವಿಲ್ಲ,
|
||||
"Can not filter based on Customer, if grouped by Customer",ಗ್ರಾಹಕರಿಂದ ಗುಂಪು ಮಾಡಿದ್ದರೆ ಗ್ರಾಹಕರ ಆಧಾರದ ಮೇಲೆ ಫಿಲ್ಟರ್ ಮಾಡಲು ಸಾಧ್ಯವಿಲ್ಲ,
|
||||
"Can not filter based on Cashier, if grouped by Cashier",ಕ್ಯಾಷಿಯರ್ನಿಂದ ಗುಂಪು ಮಾಡಿದ್ದರೆ ಕ್ಯಾಷಿಯರ್ ಆಧರಿಸಿ ಫಿಲ್ಟರ್ ಮಾಡಲು ಸಾಧ್ಯವಿಲ್ಲ,
|
||||
Payment Method,ಪಾವತಿ ವಿಧಾನ,
|
||||
"Can not filter based on Payment Method, if grouped by Payment Method",ಪಾವತಿ ವಿಧಾನದಿಂದ ಗುಂಪು ಮಾಡಿದ್ದರೆ ಪಾವತಿ ವಿಧಾನವನ್ನು ಆಧರಿಸಿ ಫಿಲ್ಟರ್ ಮಾಡಲು ಸಾಧ್ಯವಿಲ್ಲ,
|
||||
Supplier Quotation Comparison,ಪೂರೈಕೆದಾರ ಉದ್ಧರಣ ಹೋಲಿಕೆ,
|
||||
Price per Unit (Stock UOM),ಪ್ರತಿ ಯೂನಿಟ್ಗೆ ಬೆಲೆ (ಸ್ಟಾಕ್ ಯುಒಎಂ),
|
||||
Group by Supplier,ಸರಬರಾಜುದಾರರಿಂದ ಗುಂಪು,
|
||||
Group by Item,ಐಟಂ ಪ್ರಕಾರ ಗುಂಪು,
|
||||
Remember to set {field_label}. It is required by {regulation}.,{Field_label set ಅನ್ನು ಹೊಂದಿಸಲು ಮರೆಯದಿರಿ. {ನಿಯಂತ್ರಣ by ನಿಂದ ಇದು ಅಗತ್ಯವಿದೆ.,
|
||||
Enrollment Date cannot be before the Start Date of the Academic Year {0},ದಾಖಲಾತಿ ದಿನಾಂಕ ಶೈಕ್ಷಣಿಕ ವರ್ಷದ ಪ್ರಾರಂಭ ದಿನಾಂಕಕ್ಕಿಂತ ಮೊದಲು ಇರಬಾರದು {0},
|
||||
Enrollment Date cannot be after the End Date of the Academic Term {0},ದಾಖಲಾತಿ ದಿನಾಂಕ ಶೈಕ್ಷಣಿಕ ಅವಧಿಯ ಅಂತಿಮ ದಿನಾಂಕದ ನಂತರ ಇರಬಾರದು {0},
|
||||
Enrollment Date cannot be before the Start Date of the Academic Term {0},ದಾಖಲಾತಿ ದಿನಾಂಕ ಶೈಕ್ಷಣಿಕ ಅವಧಿಯ ಪ್ರಾರಂಭ ದಿನಾಂಕಕ್ಕಿಂತ ಮೊದಲು ಇರಬಾರದು {0},
|
||||
Posting future transactions are not allowed due to Immutable Ledger,ಬದಲಾಯಿಸಲಾಗದ ಲೆಡ್ಜರ್ನಿಂದಾಗಿ ಭವಿಷ್ಯದ ವಹಿವಾಟುಗಳನ್ನು ಪೋಸ್ಟ್ ಮಾಡಲು ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ,
|
||||
Future Posting Not Allowed,ಭವಿಷ್ಯದ ಪೋಸ್ಟ್ ಮಾಡಲು ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ,
|
||||
"To enable Capital Work in Progress Accounting, ","ಪ್ರೋಗ್ರೆಸ್ ಅಕೌಂಟಿಂಗ್ನಲ್ಲಿ ಕ್ಯಾಪಿಟಲ್ ವರ್ಕ್ ಅನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಲು,",
|
||||
you must select Capital Work in Progress Account in accounts table,ಖಾತೆಗಳ ಕೋಷ್ಟಕದಲ್ಲಿ ನೀವು ಪ್ರಗತಿ ಖಾತೆಯಲ್ಲಿ ಕ್ಯಾಪಿಟಲ್ ವರ್ಕ್ ಅನ್ನು ಆರಿಸಬೇಕು,
|
||||
You can also set default CWIP account in Company {},ಕಂಪನಿ} in ನಲ್ಲಿ ನೀವು ಡೀಫಾಲ್ಟ್ ಸಿಡಬ್ಲ್ಯುಐಪಿ ಖಾತೆಯನ್ನು ಸಹ ಹೊಂದಿಸಬಹುದು,
|
||||
The Request for Quotation can be accessed by clicking on the following button,ಕೆಳಗಿನ ಗುಂಡಿಯನ್ನು ಕ್ಲಿಕ್ ಮಾಡುವುದರ ಮೂಲಕ ಉದ್ಧರಣಕ್ಕಾಗಿ ವಿನಂತಿಯನ್ನು ಪ್ರವೇಶಿಸಬಹುದು,
|
||||
Regards,ಅಭಿನಂದನೆಗಳು,
|
||||
Please click on the following button to set your new password,ನಿಮ್ಮ ಹೊಸ ಪಾಸ್ವರ್ಡ್ ಹೊಂದಿಸಲು ದಯವಿಟ್ಟು ಕೆಳಗಿನ ಬಟನ್ ಕ್ಲಿಕ್ ಮಾಡಿ,
|
||||
Update Password,ಪಾಸ್ವರ್ಡ್ ನವೀಕರಿಸಿ,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},ಸಾಲು # {}: ಐಟಂ for for ಗೆ ಮಾರಾಟ ದರ ಅದರ than than ಗಿಂತ ಕಡಿಮೆಯಾಗಿದೆ. {Seling ಕನಿಷ್ಠ ಮಾರಾಟವಾಗಬೇಕು {},
|
||||
You can alternatively disable selling price validation in {} to bypass this validation.,ಈ ation ರ್ಜಿತಗೊಳಿಸುವಿಕೆಯನ್ನು ಬೈಪಾಸ್ ಮಾಡಲು ನೀವು ಪರ್ಯಾಯವಾಗಿ price in ನಲ್ಲಿ ಮಾರಾಟದ ಬೆಲೆ ಮೌಲ್ಯಮಾಪನವನ್ನು ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಬಹುದು.,
|
||||
Invalid Selling Price,ಅಮಾನ್ಯ ಮಾರಾಟ ಬೆಲೆ,
|
||||
Address needs to be linked to a Company. Please add a row for Company in the Links table.,ವಿಳಾಸವನ್ನು ಕಂಪನಿಗೆ ಲಿಂಕ್ ಮಾಡಬೇಕಾಗಿದೆ. ದಯವಿಟ್ಟು ಲಿಂಕ್ಗಳ ಕೋಷ್ಟಕದಲ್ಲಿ ಕಂಪನಿಗೆ ಒಂದು ಸಾಲನ್ನು ಸೇರಿಸಿ.,
|
||||
Company Not Linked,ಕಂಪನಿ ಲಿಂಕ್ ಮಾಡಿಲ್ಲ,
|
||||
Import Chart of Accounts from CSV / Excel files,CSV / Excel ಫೈಲ್ಗಳಿಂದ ಖಾತೆಗಳ ಆಮದು ಚಾರ್ಟ್,
|
||||
Completed Qty cannot be greater than 'Qty to Manufacture',ಪೂರ್ಣಗೊಂಡ ಕ್ಯೂಟಿ 'ಉತ್ಪಾದನೆಗೆ ಕ್ಯೂಟಿ' ಗಿಂತ ಹೆಚ್ಚಿರಬಾರದು,
|
||||
"Row {0}: For Supplier {1}, Email Address is Required to send an email","ಸಾಲು {0}: ಸರಬರಾಜುದಾರ {1 For ಗೆ, ಇಮೇಲ್ ಕಳುಹಿಸಲು ಇಮೇಲ್ ವಿಳಾಸದ ಅಗತ್ಯವಿದೆ",
|
||||
|
Can't render this file because it is too large.
|
@ -521,7 +521,6 @@ Charge of type 'Actual' in row {0} cannot be included in Item Rate,유형 행 {0
|
||||
Chargeble,Chileble,
|
||||
Charges are updated in Purchase Receipt against each item,요금은 각 항목에 대해 구매 영수증에 업데이트됩니다,
|
||||
"Charges will be distributed proportionately based on item qty or amount, as per your selection","요금은 비례 적으로 사용자의 선택에 따라, 상품 수량 또는 금액에 따라 배포됩니다",
|
||||
Chart Of Accounts,계정 차트,
|
||||
Chart of Cost Centers,코스트 센터의 차트,
|
||||
Check all,모두 확인,
|
||||
Checkout,점검,
|
||||
@ -581,7 +580,6 @@ Company {0} does not exist,회사 {0} 존재하지 않습니다,
|
||||
Compensatory Off,보상 오프,
|
||||
Compensatory leave request days not in valid holidays,유효한 휴가가 아닌 보상 휴가 요청 일,
|
||||
Complaint,불평,
|
||||
Completed Qty can not be greater than 'Qty to Manufacture',보다 '수량 제조하는'완료 수량은 클 수 없습니다,
|
||||
Completion Date,완료일,
|
||||
Computer,컴퓨터,
|
||||
Condition,조건,
|
||||
@ -2033,7 +2031,6 @@ Please select Category first,첫 번째 범주를 선택하십시오,
|
||||
Please select Charge Type first,충전 유형을 먼저 선택하세요,
|
||||
Please select Company,회사를 선택하세요,
|
||||
Please select Company and Designation,회사 명 및 지명을 선택하십시오.,
|
||||
Please select Company and Party Type first,첫번째 회사와 파티 유형을 선택하세요,
|
||||
Please select Company and Posting Date to getting entries,항목을 얻으려면 회사 및 전기 일을 선택하십시오.,
|
||||
Please select Company first,처음 회사를 선택하세요,
|
||||
Please select Completion Date for Completed Asset Maintenance Log,Completed Asset Maintenance Log의 완료 날짜를 선택하십시오.,
|
||||
@ -2980,7 +2977,6 @@ The name of the institute for which you are setting up this system.,연구소의
|
||||
The name of your company for which you are setting up this system.,이 시스템을 설정하는하는 기업의 이름입니다.,
|
||||
The number of shares and the share numbers are inconsistent,주식 수와 주식 수는 일치하지 않습니다.,
|
||||
The payment gateway account in plan {0} is different from the payment gateway account in this payment request,{0} 계획의 지불 게이트웨이 계정이이 지불 요청의 지불 게이트웨이 계정과 다릅니다.,
|
||||
The request for quotation can be accessed by clicking on the following link,견적 요청은 다음 링크를 클릭하여 액세스 할 수 있습니다,
|
||||
The selected BOMs are not for the same item,선택한 BOM의 동일한 항목에 대한 없습니다,
|
||||
The selected item cannot have Batch,선택한 항목이 배치를 가질 수 없습니다,
|
||||
The seller and the buyer cannot be the same,판매자와 구매자는 같을 수 없습니다.,
|
||||
@ -3130,7 +3126,6 @@ Total contribution percentage should be equal to 100,총 기여도 백분율은
|
||||
Total flexible benefit component amount {0} should not be less than max benefits {1},총 탄력적 인 혜택 구성 요소 금액 {0}은 최대 이점보다 적어서는 안됩니다 {1},
|
||||
Total hours: {0},총 시간 : {0},
|
||||
Total leaves allocated is mandatory for Leave Type {0},할당 된 총 나뭇잎 수는 {0} 휴가 유형의 경우 필수입니다.,
|
||||
Total weightage assigned should be 100%. It is {0},할당 된 총 weightage 100 %이어야한다.그것은 {0},
|
||||
Total working hours should not be greater than max working hours {0},총 근무 시간은 최대 근무 시간보다 더 안 {0},
|
||||
Total {0} ({1}),총 {0} ({1}),
|
||||
"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","총 {0} 모든 항목에 대해 당신이 '를 기반으로 요금을 분배'변경해야 할 수있다, 제로",
|
||||
@ -3544,7 +3539,6 @@ Company GSTIN,회사 GSTIN,
|
||||
Company field is required,회사 필드가 필요합니다.,
|
||||
Creating Dimensions...,치수 만들기 ...,
|
||||
Duplicate entry against the item code {0} and manufacturer {1},항목 코드 {0} 및 제조업체 {1}에 대한 중복 항목,
|
||||
Import Chart Of Accounts from CSV / Excel files,CSV / Excel 파일에서 Chart of Accounts 가져 오기,
|
||||
Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTIN이 잘못되었습니다! 입력 한 입력 내용이 UIN 소지자 또는 비거주 OIDAR 서비스 공급자의 GSTIN 형식과 일치하지 않습니다.,
|
||||
Invoice Grand Total,인보이스 총액,
|
||||
Last carbon check date cannot be a future date,마지막 탄소 체크 날짜는 미래 날짜가 될 수 없습니다.,
|
||||
@ -3921,7 +3915,6 @@ Plaid authentication error,격자 무늬 인증 오류,
|
||||
Plaid public token error,격자 무늬 공용 토큰 오류,
|
||||
Plaid transactions sync error,격자 무늬 거래 동기화 오류,
|
||||
Please check the error log for details about the import errors,가져 오기 오류에 대한 자세한 내용은 오류 로그를 확인하십시오.,
|
||||
Please click on the following link to set your new password,새 암호를 설정하려면 다음 링크를 클릭하십시오,
|
||||
Please create <b>DATEV Settings</b> for Company <b>{}</b>.,회사 <b>{}에</b> 대한 <b>DATEV 설정</b> 을 작성하십시오.,
|
||||
Please create adjustment Journal Entry for amount {0} ,금액 {0}에 대한 조정 분개를 생성하십시오,
|
||||
Please do not create more than 500 items at a time,한 번에 500 개 이상의 항목을 만들지 마세요.,
|
||||
@ -3997,6 +3990,7 @@ Refreshing,재로딩중,
|
||||
Release date must be in the future,출시 날짜가 미래 여야합니다.,
|
||||
Relieving Date must be greater than or equal to Date of Joining,완화 날짜는 가입 날짜보다 크거나 같아야합니다.,
|
||||
Rename,이름,
|
||||
Rename Not Allowed,허용되지 않는 이름 바꾸기,
|
||||
Repayment Method is mandatory for term loans,상환 방법은 기간 대출에 필수적입니다,
|
||||
Repayment Start Date is mandatory for term loans,상환 시작 날짜는 기간 대출에 필수입니다,
|
||||
Report Item,보고서 항목,
|
||||
@ -4043,7 +4037,6 @@ Search results for,에 대한 검색 결과,
|
||||
Select All,모두 선택,
|
||||
Select Difference Account,차이 계정 선택,
|
||||
Select a Default Priority.,기본 우선 순위를 선택하십시오.,
|
||||
Select a Supplier from the Default Supplier List of the items below.,아래 항목의 기본 공급 업체 목록에서 공급 업체를 선택하십시오.,
|
||||
Select a company,회사 선택,
|
||||
Select finance book for the item {0} at row {1},{1} 행의 항목 {0}에 대한 재무 책을 선택하십시오.,
|
||||
Select only one Priority as Default.,Priority as Default를 하나만 선택하십시오.,
|
||||
@ -4247,7 +4240,6 @@ Yes,예,
|
||||
Actual ,실제,
|
||||
Add to cart,쇼핑 카트에 담기,
|
||||
Budget,예산,
|
||||
Chart Of Accounts Importer,계정 수입 차트,
|
||||
Chart of Accounts,회계 계통도,
|
||||
Customer database.,고객 데이터베이스.,
|
||||
Days Since Last order,일 이후 마지막 주문,
|
||||
@ -4546,7 +4538,6 @@ Role that is allowed to submit transactions that exceed credit limits set.,설
|
||||
Check Supplier Invoice Number Uniqueness,체크 공급 업체 송장 번호 특이 사항,
|
||||
Make Payment via Journal Entry,분개를 통해 결제하기,
|
||||
Unlink Payment on Cancellation of Invoice,송장의 취소에 지불 연결 해제,
|
||||
Unlink Advance Payment on Cancelation of Order,주문 취소시 사전 지불 연결 해제,
|
||||
Book Asset Depreciation Entry Automatically,장부 자산 감가 상각 항목 자동 입력,
|
||||
Automatically Add Taxes and Charges from Item Tax Template,항목 세금 템플릿에서 세금 및 요금 자동 추가,
|
||||
Automatically Fetch Payment Terms,지불 조건 자동 가져 오기,
|
||||
@ -4940,7 +4931,6 @@ Closing Account Head,마감 계정 헤드,
|
||||
POS Customer Group,POS 고객 그룹,
|
||||
POS Field,POS 분야,
|
||||
POS Item Group,POS 항목 그룹,
|
||||
[Select],[선택],
|
||||
Company Address,회사 주소,
|
||||
Update Stock,재고 업데이트,
|
||||
Ignore Pricing Rule,가격 규칙을 무시,
|
||||
@ -6481,7 +6471,6 @@ HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM.,
|
||||
Appraisal Template,평가 템플릿,
|
||||
For Employee Name,직원 이름에,
|
||||
Goals,목표,
|
||||
Calculate Total Score,총 점수를 계산,
|
||||
Total Score (Out of 5),전체 점수 (5 점 만점),
|
||||
"Any other remarks, noteworthy effort that should go in the records.","다른 발언, 기록에 가야한다 주목할만한 노력.",
|
||||
Appraisal Goal,평가목표,
|
||||
@ -6599,11 +6588,6 @@ Relieving Date,날짜를 덜어,
|
||||
Reason for Leaving,떠나는 이유,
|
||||
Leave Encashed?,Encashed 남겨?,
|
||||
Encashment Date,현금화 날짜,
|
||||
Exit Interview Details,출구 인터뷰의 자세한 사항,
|
||||
Held On,개최,
|
||||
Reason for Resignation,사임 이유,
|
||||
Better Prospects,더 나은 전망,
|
||||
Health Concerns,건강 문제,
|
||||
New Workplace,새로운 직장,
|
||||
HR-EAD-.YYYY.-,HR-EAD- .YYYY.-,
|
||||
Returned Amount,반품 금액,
|
||||
@ -8239,9 +8223,6 @@ Landed Cost Help,착륙 비용 도움말,
|
||||
Manufacturers used in Items,항목에 사용 제조 업체,
|
||||
Limited to 12 characters,12 자로 제한,
|
||||
MAT-MR-.YYYY.-,매트 - MR - .YYYY.-,
|
||||
Set Warehouse,창고 설정,
|
||||
Sets 'For Warehouse' in each row of the Items table.,Items 테이블의 각 행에 'For Warehouse'를 설정합니다.,
|
||||
Requested For,에 대해 요청,
|
||||
Partially Ordered,부분적으로 주문 됨,
|
||||
Transferred,이전 됨,
|
||||
% Ordered,% 발주,
|
||||
@ -8690,8 +8671,6 @@ Material Request Warehouse,자재 요청 창고,
|
||||
Select warehouse for material requests,자재 요청을위한 창고 선택,
|
||||
Transfer Materials For Warehouse {0},창고 {0}의 자재 전송,
|
||||
Production Plan Material Request Warehouse,생산 계획 자재 요청 창고,
|
||||
Set From Warehouse,창고에서 설정,
|
||||
Source Warehouse (Material Transfer),출처 창고 (자재 이전),
|
||||
Sets 'Source Warehouse' in each row of the items table.,항목 테이블의 각 행에 '소스 창고'를 설정합니다.,
|
||||
Sets 'Target Warehouse' in each row of the items table.,항목 테이블의 각 행에 '대상 창고'를 설정합니다.,
|
||||
Show Cancelled Entries,취소 된 항목 표시,
|
||||
@ -9157,7 +9136,6 @@ Professional Tax,전문 세,
|
||||
Is Income Tax Component,소득세 구성 요소,
|
||||
Component properties and references ,구성 요소 속성 및 참조,
|
||||
Additional Salary ,추가 급여,
|
||||
Condtion and formula,조건 및 공식,
|
||||
Unmarked days,표시되지 않은 날짜,
|
||||
Absent Days,결석 일,
|
||||
Conditions and Formula variable and example,조건 및 수식 변수 및 예,
|
||||
@ -9444,7 +9422,6 @@ Plaid invalid request error,격자 무늬 잘못된 요청 오류,
|
||||
Please check your Plaid client ID and secret values,Plaid 클라이언트 ID와 비밀 값을 확인하세요.,
|
||||
Bank transaction creation error,은행 거래 생성 오류,
|
||||
Unit of Measurement,측정 단위,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling rate should be atleast {},행 # {} : 항목 {}의 판매율이 {}보다 낮습니다. 판매율은 {} 이상이어야합니다.,
|
||||
Fiscal Year {0} Does Not Exist,회계 연도 {0}이 (가) 존재하지 않음,
|
||||
Row # {0}: Returned Item {1} does not exist in {2} {3},행 # {0} : 반품 된 항목 {1}이 {2} {3}에 없습니다.,
|
||||
Valuation type charges can not be marked as Inclusive,평가 유형 요금은 포함으로 표시 할 수 없습니다.,
|
||||
@ -9598,8 +9575,60 @@ Set Response Time and Resolution Time for Priority {0} in row {1}.,{1} 행에서
|
||||
Response Time for {0} priority in row {1} can't be greater than Resolution Time.,{1} 행의 {0} 우선 순위에 대한 응답 시간은 해결 시간보다 클 수 없습니다.,
|
||||
{0} is not enabled in {1},{0}은 (는) {1}에서 사용할 수 없습니다.,
|
||||
Group by Material Request,자재 요청별로 그룹화,
|
||||
"Row {0}: For Supplier {0}, Email Address is Required to Send Email",{0} 행 : 공급 업체 {0}의 경우 이메일을 보내려면 이메일 주소가 필요합니다.,
|
||||
Email Sent to Supplier {0},공급 업체 {0}에 이메일을 보냈습니다.,
|
||||
"The Access to Request for Quotation From Portal is Disabled. To Allow Access, Enable it in Portal Settings.",포털에서 견적 요청에 대한 액세스가 비활성화되었습니다. 액세스를 허용하려면 포털 설정에서 활성화하십시오.,
|
||||
Supplier Quotation {0} Created,공급 업체 견적 {0} 생성됨,
|
||||
Valid till Date cannot be before Transaction Date,유효 종료 날짜는 거래 날짜 이전 일 수 없습니다.,
|
||||
Unlink Advance Payment on Cancellation of Order,주문 취소시 선지급 연결 해제,
|
||||
"Simple Python Expression, Example: territory != 'All Territories'","간단한 Python 표현식, 예 : 지역! = '모든 지역'",
|
||||
Sales Contributions and Incentives,판매 기여 및 인센티브,
|
||||
Sourced by Supplier,공급자에 의해 공급,
|
||||
Total weightage assigned should be 100%.<br>It is {0},할당 된 총 가중치는 100 % 여야합니다.<br> {0}입니다,
|
||||
Account {0} exists in parent company {1}.,{0} 계정이 모회사 {1}에 있습니다.,
|
||||
"To overrule this, enable '{0}' in company {1}",이를 무시하려면 {1} 회사에서 '{0}'을 (를) 활성화하십시오.,
|
||||
Invalid condition expression,잘못된 조건식,
|
||||
Please Select a Company First,먼저 회사를 선택하십시오,
|
||||
Please Select Both Company and Party Type First,먼저 회사 및 당사자 유형을 모두 선택하십시오.,
|
||||
Provide the invoice portion in percent,송장 부분을 백분율로 제공,
|
||||
Give number of days according to prior selection,사전 선택에 따라 일수 제공,
|
||||
Email Details,이메일 세부 정보,
|
||||
"Select a greeting for the receiver. E.g. Mr., Ms., etc.","수신자를위한 인사말을 선택하십시오. 예 : Mr., Ms. 등",
|
||||
Preview Email,이메일 미리보기,
|
||||
Please select a Supplier,공급자를 선택하십시오,
|
||||
Supplier Lead Time (days),공급 업체 리드 타임 (일),
|
||||
"Home, Work, etc.","집, 직장 등",
|
||||
Exit Interview Held On,보류 된 인터뷰 종료,
|
||||
Condition and formula,조건 및 공식,
|
||||
Sets 'Target Warehouse' in each row of the Items table.,Items 테이블의 각 행에 'Target Warehouse'를 설정합니다.,
|
||||
Sets 'Source Warehouse' in each row of the Items table.,Items 테이블의 각 행에 'Source Warehouse'를 설정합니다.,
|
||||
POS Register,POS 등록,
|
||||
"Can not filter based on POS Profile, if grouped by POS Profile",POS 프로필로 그룹화 된 경우 POS 프로필을 기준으로 필터링 할 수 없습니다.,
|
||||
"Can not filter based on Customer, if grouped by Customer",고객별로 그룹화 된 경우 고객을 기준으로 필터링 할 수 없습니다.,
|
||||
"Can not filter based on Cashier, if grouped by Cashier",계산원별로 그룹화 된 경우 계산원을 기준으로 필터링 할 수 없습니다.,
|
||||
Payment Method,결제 방법,
|
||||
"Can not filter based on Payment Method, if grouped by Payment Method",결제 수단별로 그룹화 한 경우 결제 수단을 기준으로 필터링 할 수 없습니다.,
|
||||
Supplier Quotation Comparison,공급 업체 견적 비교,
|
||||
Price per Unit (Stock UOM),단가 (재고 UOM),
|
||||
Group by Supplier,공급 업체별 그룹화,
|
||||
Group by Item,항목 별 그룹화,
|
||||
Remember to set {field_label}. It is required by {regulation}.,{field_label}을 설정해야합니다. {regulation}에서 요구합니다.,
|
||||
Enrollment Date cannot be before the Start Date of the Academic Year {0},등록일은 학년도 {0}의 시작일 이전 일 수 없습니다.,
|
||||
Enrollment Date cannot be after the End Date of the Academic Term {0},등록일은 학기 종료일 {0} 이후 일 수 없습니다.,
|
||||
Enrollment Date cannot be before the Start Date of the Academic Term {0},등록일은 학기 시작일 {0} 이전 일 수 없습니다.,
|
||||
Posting future transactions are not allowed due to Immutable Ledger,불변 원장으로 인해 미래 거래를 게시 할 수 없습니다.,
|
||||
Future Posting Not Allowed,향후 전기가 허용되지 않음,
|
||||
"To enable Capital Work in Progress Accounting, ",자본 재공품 회계를 활성화하려면,
|
||||
you must select Capital Work in Progress Account in accounts table,계정 테이블에서 자본 진행중인 계정을 선택해야합니다.,
|
||||
You can also set default CWIP account in Company {},회사 {}에서 기본 CWIP 계정을 설정할 수도 있습니다.,
|
||||
The Request for Quotation can be accessed by clicking on the following button,견적 요청은 다음 버튼을 클릭하여 액세스 할 수 있습니다.,
|
||||
Regards,문안 인사,
|
||||
Please click on the following button to set your new password,새 비밀번호를 설정하려면 다음 버튼을 클릭하십시오.,
|
||||
Update Password,비밀번호 업데이트,
|
||||
Row #{}: Selling rate for item {} is lower than its {}. Selling {} should be atleast {},행 # {} : 항목 {}의 판매율이 {}보다 낮습니다. {} 판매는 {} 이상이어야합니다.,
|
||||
You can alternatively disable selling price validation in {} to bypass this validation.,또는 {}에서 판매 가격 검증을 비활성화하여이 검증을 우회 할 수 있습니다.,
|
||||
Invalid Selling Price,잘못된 판매 가격,
|
||||
Address needs to be linked to a Company. Please add a row for Company in the Links table.,주소는 회사에 연결되어야합니다. 링크 테이블에 회사 행을 추가하십시오.,
|
||||
Company Not Linked,연결되지 않은 회사,
|
||||
Import Chart of Accounts from CSV / Excel files,CSV / Excel 파일에서 계정과 목표 가져 오기,
|
||||
Completed Qty cannot be greater than 'Qty to Manufacture',완료된 수량은 '제조 수량'보다 클 수 없습니다.,
|
||||
"Row {0}: For Supplier {1}, Email Address is Required to send an email",{0} 행 : 공급 업체 {1}의 경우 이메일을 보내려면 이메일 주소가 필요합니다.,
|
||||
|
Can't render this file because it is too large.
|
Some files were not shown because too many files have changed in this diff Show More
Loading…
Reference in New Issue
Block a user