From b2d8a4419903830220b3aa7228de641e59606e67 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Bernd=20Oliver=20S=C3=BCnderhauf?= <46800703+bosue@users.noreply.github.com> Date: Sun, 3 Dec 2023 15:10:00 +0100 Subject: [PATCH 1/3] test: Add, expand and refine test-cases for zero-quantity transactions. --- .../purchase_invoice/test_purchase_invoice.py | 16 ++++++++--- .../sales_invoice/test_sales_invoice.py | 16 ++++++++--- .../purchase_order/test_purchase_order.py | 10 ++++++- .../test_request_for_quotation.py | 18 +++++++++++-- .../test_supplier_quotation.py | 13 +++++++++ erpnext/buying/utils.py | 5 +++- erpnext/controllers/selling_controller.py | 5 ++-- erpnext/manufacturing/doctype/bom/test_bom.py | 22 +++++++++++++++ .../doctype/quotation/test_quotation.py | 14 +++++++++- .../doctype/sales_order/test_sales_order.py | 27 +++++++++++++++++-- .../delivery_note/test_delivery_note.py | 15 +++++++++-- .../material_request/test_material_request.py | 12 +++++++++ .../purchase_receipt/test_purchase_receipt.py | 21 ++++++++++++++- .../stock/doctype/stock_entry/stock_entry.py | 4 ++- .../doctype/stock_entry/test_stock_entry.py | 13 +++++++++ 15 files changed, 192 insertions(+), 19 deletions(-) diff --git a/erpnext/accounts/doctype/purchase_invoice/test_purchase_invoice.py b/erpnext/accounts/doctype/purchase_invoice/test_purchase_invoice.py index e43ea6ecbe0b..8ff9f9002cf1 100644 --- a/erpnext/accounts/doctype/purchase_invoice/test_purchase_invoice.py +++ b/erpnext/accounts/doctype/purchase_invoice/test_purchase_invoice.py @@ -14,7 +14,7 @@ from erpnext.buying.doctype.purchase_order.purchase_order import get_mapped_purchase_invoice from erpnext.buying.doctype.purchase_order.test_purchase_order import create_purchase_order from erpnext.buying.doctype.supplier.test_supplier import create_supplier -from erpnext.controllers.accounts_controller import get_payment_terms +from erpnext.controllers.accounts_controller import InvalidQtyError, get_payment_terms from erpnext.controllers.buying_controller import QtyMismatchError from erpnext.exceptions import InvalidCurrency from erpnext.projects.doctype.project.test_project import make_project @@ -51,6 +51,16 @@ def tearDownClass(self): def tearDown(self): frappe.db.rollback() + def test_purchase_invoice_qty(self): + pi = make_purchase_invoice(qty=0, do_not_save=True) + with self.assertRaises(InvalidQtyError): + pi.save() + + # No error with qty=1 + pi.items[0].qty = 1 + pi.save() + self.assertEqual(pi.items[0].qty, 1) + def test_purchase_invoice_received_qty(self): """ 1. Test if received qty is validated against accepted + rejected @@ -2094,7 +2104,7 @@ def make_purchase_invoice(**args): bundle_id = None if args.get("batch_no") or args.get("serial_no"): batches = {} - qty = args.qty or 5 + qty = args.qty if args.qty is not None else 5 item_code = args.item or args.item_code or "_Test Item" if args.get("batch_no"): batches = frappe._dict({args.batch_no: qty}) @@ -2122,7 +2132,7 @@ def make_purchase_invoice(**args): { "item_code": args.item or args.item_code or "_Test Item", "warehouse": args.warehouse or "_Test Warehouse - _TC", - "qty": args.qty or 5, + "qty": args.qty if args.qty is not None else 5, "received_qty": args.received_qty or 0, "rejected_qty": args.rejected_qty or 0, "rate": args.rate or 50, diff --git a/erpnext/accounts/doctype/sales_invoice/test_sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/test_sales_invoice.py index e9b71ddffd3b..01b5e28ea4e8 100644 --- a/erpnext/accounts/doctype/sales_invoice/test_sales_invoice.py +++ b/erpnext/accounts/doctype/sales_invoice/test_sales_invoice.py @@ -23,7 +23,7 @@ from erpnext.assets.doctype.asset_depreciation_schedule.asset_depreciation_schedule import ( get_depr_schedule, ) -from erpnext.controllers.accounts_controller import update_invoice_status +from erpnext.controllers.accounts_controller import InvalidQtyError, update_invoice_status from erpnext.controllers.taxes_and_totals import get_itemised_tax_breakup_data from erpnext.exceptions import InvalidAccountCurrency, InvalidCurrency from erpnext.selling.doctype.customer.test_customer import get_customer_dict @@ -72,6 +72,16 @@ def setUpClass(self): def tearDownClass(self): unlink_payment_on_cancel_of_invoice(0) + def test_sales_invoice_qty(self): + si = create_sales_invoice(qty=0, do_not_save=True) + with self.assertRaises(InvalidQtyError): + si.save() + + # No error with qty=1 + si.items[0].qty = 1 + si.save() + self.assertEqual(si.items[0].qty, 1) + def test_timestamp_change(self): w = frappe.copy_doc(test_records[0]) w.docstatus = 0 @@ -3629,7 +3639,7 @@ def create_sales_invoice(**args): bundle_id = None if si.update_stock and (args.get("batch_no") or args.get("serial_no")): batches = {} - qty = args.qty or 1 + qty = args.qty if args.qty is not None else 1 item_code = args.item or args.item_code or "_Test Item" if args.get("batch_no"): batches = frappe._dict({args.batch_no: qty}) @@ -3661,7 +3671,7 @@ def create_sales_invoice(**args): "description": args.description or "_Test Item", "warehouse": args.warehouse or "_Test Warehouse - _TC", "target_warehouse": args.target_warehouse, - "qty": args.qty or 1, + "qty": args.qty if args.qty is not None else 1, "uom": args.uom or "Nos", "stock_uom": args.uom or "Nos", "rate": args.rate if args.get("rate") is not None else 100, diff --git a/erpnext/buying/doctype/purchase_order/test_purchase_order.py b/erpnext/buying/doctype/purchase_order/test_purchase_order.py index f80a00a95f68..9b382bbd7e40 100644 --- a/erpnext/buying/doctype/purchase_order/test_purchase_order.py +++ b/erpnext/buying/doctype/purchase_order/test_purchase_order.py @@ -29,6 +29,8 @@ class TestPurchaseOrder(FrappeTestCase): def test_purchase_order_qty(self): po = create_purchase_order(qty=1, do_not_save=True) + + # NonNegativeError with qty=-1 po.append( "items", { @@ -39,9 +41,15 @@ def test_purchase_order_qty(self): ) self.assertRaises(frappe.NonNegativeError, po.save) + # InvalidQtyError with qty=0 po.items[1].qty = 0 self.assertRaises(InvalidQtyError, po.save) + # No error with qty=1 + po.items[1].qty = 1 + po.save() + self.assertEqual(po.items[1].qty, 1) + def test_make_purchase_receipt(self): po = create_purchase_order(do_not_submit=True) self.assertRaises(frappe.ValidationError, make_purchase_receipt, po.name) @@ -1108,7 +1116,7 @@ def create_purchase_order(**args): "item_code": args.item or args.item_code or "_Test Item", "warehouse": args.warehouse or "_Test Warehouse - _TC", "from_warehouse": args.from_warehouse, - "qty": args.qty or 10, + "qty": args.qty if args.qty is not None else 10, "rate": args.rate or 500, "schedule_date": add_days(nowdate(), 1), "include_exploded_items": args.get("include_exploded_items", 1), diff --git a/erpnext/buying/doctype/request_for_quotation/test_request_for_quotation.py b/erpnext/buying/doctype/request_for_quotation/test_request_for_quotation.py index 42fa1d923e16..05a604f0cc14 100644 --- a/erpnext/buying/doctype/request_for_quotation/test_request_for_quotation.py +++ b/erpnext/buying/doctype/request_for_quotation/test_request_for_quotation.py @@ -14,6 +14,7 @@ get_pdf, make_supplier_quotation_from_rfq, ) +from erpnext.controllers.accounts_controller import InvalidQtyError from erpnext.crm.doctype.opportunity.opportunity import make_request_for_quotation as make_rfq from erpnext.crm.doctype.opportunity.test_opportunity import make_opportunity from erpnext.stock.doctype.item.test_item import make_item @@ -21,6 +22,16 @@ class TestRequestforQuotation(FrappeTestCase): + def test_rfq_qty(self): + rfq = make_request_for_quotation(qty=0, do_not_save=True) + with self.assertRaises(InvalidQtyError): + rfq.save() + + # No error with qty=1 + rfq.items[0].qty = 1 + rfq.save() + self.assertEqual(rfq.items[0].qty, 1) + def test_quote_status(self): rfq = make_request_for_quotation() @@ -161,14 +172,17 @@ def make_request_for_quotation(**args) -> "RequestforQuotation": "description": "_Test Item", "uom": args.uom or "_Test UOM", "stock_uom": args.stock_uom or "_Test UOM", - "qty": args.qty or 5, + "qty": args.qty if args.qty is not None else 5, "conversion_factor": args.conversion_factor or 1.0, "warehouse": args.warehouse or "_Test Warehouse - _TC", "schedule_date": nowdate(), }, ) - rfq.submit() + if not args.do_not_save: + rfq.insert() + if not args.do_not_submit: + rfq.submit() return rfq diff --git a/erpnext/buying/doctype/supplier_quotation/test_supplier_quotation.py b/erpnext/buying/doctype/supplier_quotation/test_supplier_quotation.py index 13c851c7353a..33465700f414 100644 --- a/erpnext/buying/doctype/supplier_quotation/test_supplier_quotation.py +++ b/erpnext/buying/doctype/supplier_quotation/test_supplier_quotation.py @@ -5,8 +5,21 @@ import frappe from frappe.tests.utils import FrappeTestCase +from erpnext.controllers.accounts_controller import InvalidQtyError + class TestPurchaseOrder(FrappeTestCase): + def test_supplier_quotation_qty(self): + sq = frappe.copy_doc(test_records[0]) + sq.items[0].qty = 0 + with self.assertRaises(InvalidQtyError): + sq.save() + + # No error with qty=1 + sq.items[0].qty = 1 + sq.save() + self.assertEqual(sq.items[0].qty, 1) + def test_make_purchase_order(self): from erpnext.buying.doctype.supplier_quotation.supplier_quotation import make_purchase_order diff --git a/erpnext/buying/utils.py b/erpnext/buying/utils.py index e904af0dce3b..8b7b6940caf0 100644 --- a/erpnext/buying/utils.py +++ b/erpnext/buying/utils.py @@ -42,12 +42,15 @@ def update_last_purchase_rate(doc, is_submit) -> None: def validate_for_items(doc) -> None: + from erpnext.controllers.accounts_controller import InvalidQtyError + items = [] for d in doc.get("items"): if not d.qty: if doc.doctype == "Purchase Receipt" and d.rejected_qty: continue - frappe.throw(_("Please enter quantity for Item {0}").format(d.item_code)) + message = _("Please enter quantity for Item {0}").format(d.item_code) + frappe.throw(message, InvalidQtyError) set_stock_levels(row=d) # update with latest quantities item = validate_item_and_get_basic_data(row=d) diff --git a/erpnext/controllers/selling_controller.py b/erpnext/controllers/selling_controller.py index fdadb30e9379..d6e3ee25a9f8 100644 --- a/erpnext/controllers/selling_controller.py +++ b/erpnext/controllers/selling_controller.py @@ -7,7 +7,7 @@ from frappe.utils import cint, flt, get_link_to_form, nowtime from erpnext.accounts.party import render_address -from erpnext.controllers.accounts_controller import get_taxes_and_charges +from erpnext.controllers.accounts_controller import InvalidQtyError, get_taxes_and_charges from erpnext.controllers.sales_and_purchase_return import get_rate_for_return from erpnext.controllers.stock_controller import StockController from erpnext.stock.doctype.item.item import set_item_default @@ -296,7 +296,8 @@ def get_item_list(self): il = [] for d in self.get("items"): if d.qty is None: - frappe.throw(_("Row {0}: Qty is mandatory").format(d.idx)) + message = _("Row {0}: Qty is mandatory").format(d.idx) + frappe.throw(message, InvalidQtyError) if self.has_product_bundle(d.item_code): for p in self.get("packed_items"): diff --git a/erpnext/manufacturing/doctype/bom/test_bom.py b/erpnext/manufacturing/doctype/bom/test_bom.py index 051b475bcc3a..3611bb469d38 100644 --- a/erpnext/manufacturing/doctype/bom/test_bom.py +++ b/erpnext/manufacturing/doctype/bom/test_bom.py @@ -27,6 +27,28 @@ class TestBOM(FrappeTestCase): + @timeout + def test_bom_qty(self): + from erpnext.stock.doctype.item.test_item import make_item + + # No error. + bom = frappe.new_doc("BOM") + item = make_item(properties={"is_stock_item": 1}) + bom.item = fg_item.item_code + bom.quantity = 1 + bom.append( + "items", + { + "item_code": bom_item.item_code, + "qty": 0, + "uom": bom_item.stock_uom, + "stock_uom": bom_item.stock_uom, + "rate": 100.0, + }, + ) + bom.save() + self.assertEqual(bom.items[0].qty, 0) + @timeout def test_get_items(self): from erpnext.manufacturing.doctype.bom.bom import get_bom_items_as_dict diff --git a/erpnext/selling/doctype/quotation/test_quotation.py b/erpnext/selling/doctype/quotation/test_quotation.py index 590cd3d0cf95..ecb7d097b821 100644 --- a/erpnext/selling/doctype/quotation/test_quotation.py +++ b/erpnext/selling/doctype/quotation/test_quotation.py @@ -5,10 +5,22 @@ from frappe.tests.utils import FrappeTestCase from frappe.utils import add_days, add_months, flt, getdate, nowdate +from erpnext.controllers.accounts_controller import InvalidQtyError + test_dependencies = ["Product Bundle"] class TestQuotation(FrappeTestCase): + def test_quotation_qty(self): + qo = make_quotation(qty=0, do_not_save=True) + with self.assertRaises(InvalidQtyError): + qo.save() + + # No error with qty=1 + qo.items[0].qty = 1 + qo.save() + self.assertEqual(qo.items[0].qty, 1) + def test_make_quotation_without_terms(self): quotation = make_quotation(do_not_save=1) self.assertFalse(quotation.get("payment_schedule")) @@ -629,7 +641,7 @@ def make_quotation(**args): { "item_code": args.item or args.item_code or "_Test Item", "warehouse": args.warehouse, - "qty": args.qty or 10, + "qty": args.qty if args.qty is not None else 10, "uom": args.uom or None, "rate": args.rate or 100, }, diff --git a/erpnext/selling/doctype/sales_order/test_sales_order.py b/erpnext/selling/doctype/sales_order/test_sales_order.py index a518597aa6f6..a6c86a670d01 100644 --- a/erpnext/selling/doctype/sales_order/test_sales_order.py +++ b/erpnext/selling/doctype/sales_order/test_sales_order.py @@ -9,7 +9,7 @@ from frappe.tests.utils import FrappeTestCase, change_settings from frappe.utils import add_days, flt, getdate, nowdate, today -from erpnext.controllers.accounts_controller import update_child_qty_rate +from erpnext.controllers.accounts_controller import InvalidQtyError, update_child_qty_rate from erpnext.maintenance.doctype.maintenance_schedule.test_maintenance_schedule import ( make_maintenance_schedule, ) @@ -80,6 +80,29 @@ def test_sales_order_with_negative_rate(self): ) update_child_qty_rate("Sales Order", trans_item, so.name) + def test_sales_order_qty(self): + so = make_sales_order(qty=1, do_not_save=True) + + # NonNegativeError with qty=-1 + so.append( + "items", + { + "item_code": "_Test Item", + "qty": -1, + "rate": 10, + }, + ) + self.assertRaises(frappe.NonNegativeError, so.save) + + # InvalidQtyError with qty=0 + so.items[1].qty = 0 + self.assertRaises(InvalidQtyError, so.save) + + # No error with qty=1 + so.items[1].qty = 1 + so.save() + self.assertEqual(so.items[0].qty, 1) + def test_make_material_request(self): so = make_sales_order(do_not_submit=True) @@ -2015,7 +2038,7 @@ def make_sales_order(**args): { "item_code": args.item or args.item_code or "_Test Item", "warehouse": args.warehouse, - "qty": args.qty or 10, + "qty": args.qty if args.qty is not None else 10, "uom": args.uom or None, "price_list_rate": args.price_list_rate or None, "discount_percentage": args.discount_percentage or None, diff --git a/erpnext/stock/doctype/delivery_note/test_delivery_note.py b/erpnext/stock/doctype/delivery_note/test_delivery_note.py index 94655747e430..376b9702225e 100644 --- a/erpnext/stock/doctype/delivery_note/test_delivery_note.py +++ b/erpnext/stock/doctype/delivery_note/test_delivery_note.py @@ -10,6 +10,7 @@ from erpnext.accounts.doctype.account.test_account import get_inventory_account from erpnext.accounts.utils import get_balance_on +from erpnext.controllers.accounts_controller import InvalidQtyError from erpnext.selling.doctype.product_bundle.test_product_bundle import make_product_bundle from erpnext.selling.doctype.sales_order.test_sales_order import ( automatically_fetch_payment_terms, @@ -42,6 +43,16 @@ class TestDeliveryNote(FrappeTestCase): + def test_delivery_note_qty(self): + dn = create_delivery_note(qty=0, do_not_save=True) + with self.assertRaises(InvalidQtyError): + dn.save() + + # No error with qty=1 + dn.items[0].qty = 1 + dn.save() + self.assertEqual(dn.items[0].qty, 1) + def test_over_billing_against_dn(self): frappe.db.set_single_value("Stock Settings", "allow_negative_stock", 1) @@ -1287,7 +1298,7 @@ def create_delivery_note(**args): if dn.is_return: type_of_transaction = "Inward" - qty = args.get("qty") or 1 + qty = args.qty if args.get("qty") is not None else 1 qty *= -1 if type_of_transaction == "Outward" else 1 batches = {} if args.get("batch_no"): @@ -1315,7 +1326,7 @@ def create_delivery_note(**args): { "item_code": args.item or args.item_code or "_Test Item", "warehouse": args.warehouse or "_Test Warehouse - _TC", - "qty": args.qty or 1, + "qty": args.qty if args.get("qty") is not None else 1, "rate": args.rate if args.get("rate") is not None else 100, "conversion_factor": 1.0, "serial_and_batch_bundle": bundle_id, diff --git a/erpnext/stock/doctype/material_request/test_material_request.py b/erpnext/stock/doctype/material_request/test_material_request.py index e5aff38c52f5..3e440497f0e2 100644 --- a/erpnext/stock/doctype/material_request/test_material_request.py +++ b/erpnext/stock/doctype/material_request/test_material_request.py @@ -9,6 +9,7 @@ from frappe.tests.utils import FrappeTestCase from frappe.utils import flt, today +from erpnext.controllers.accounts_controller import InvalidQtyError from erpnext.stock.doctype.item.test_item import create_item from erpnext.stock.doctype.material_request.material_request import ( make_in_transit_stock_entry, @@ -20,6 +21,17 @@ class TestMaterialRequest(FrappeTestCase): + def test_material_request_qty(self): + mr = frappe.copy_doc(test_records[0]) + mr.items[0].qty = 0 + with self.assertRaises(InvalidQtyError): + mr.insert() + + # No error with qty=1 + mr.items[0].qty = 1 + mr.save() + self.assertEqual(mr.items[0].qty, 1) + def test_make_purchase_order(self): mr = frappe.copy_doc(test_records[0]).insert() diff --git a/erpnext/stock/doctype/purchase_receipt/test_purchase_receipt.py b/erpnext/stock/doctype/purchase_receipt/test_purchase_receipt.py index 146cbff1aaf5..57ba5bb0a524 100644 --- a/erpnext/stock/doctype/purchase_receipt/test_purchase_receipt.py +++ b/erpnext/stock/doctype/purchase_receipt/test_purchase_receipt.py @@ -8,6 +8,7 @@ import erpnext from erpnext.accounts.doctype.account.test_account import get_inventory_account +from erpnext.controllers.accounts_controller import InvalidQtyError from erpnext.controllers.buying_controller import QtyMismatchError from erpnext.stock.doctype.item.test_item import create_item, make_item from erpnext.stock.doctype.purchase_receipt.purchase_receipt import make_purchase_invoice @@ -29,6 +30,23 @@ class TestPurchaseReceipt(FrappeTestCase): def setUp(self): frappe.db.set_single_value("Buying Settings", "allow_multiple_items", 1) + def test_purchase_receipt_qty(self): + pr = make_purchase_receipt(qty=0, rejected_qty=0, do_not_save=True) + with self.assertRaises(InvalidQtyError): + pr.save() + + # No error with qty=1 + pr.items[0].qty = 1 + pr.save() + self.assertEqual(pr.items[0].qty, 1) + + # No error with rejected_qty=1 + pr.items[0].rejected_warehouse = "_Test Rejected Warehouse - _TC" + pr.items[0].rejected_qty = 1 + pr.items[0].qty = 0 + pr.save() + self.assertEqual(pr.items[0].rejected_qty, 1) + def test_purchase_receipt_received_qty(self): """ 1. Test if received qty is validated against accepted + rejected @@ -2348,7 +2366,8 @@ def make_purchase_receipt(**args): pr.is_return = args.is_return pr.return_against = args.return_against pr.apply_putaway_rule = args.apply_putaway_rule - qty = args.qty or 5 + + qty = args.qty if args.qty is not None else 5 rejected_qty = args.rejected_qty or 0 received_qty = args.received_qty or flt(rejected_qty) + flt(qty) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index 3baafd77baf2..37a80be0e3da 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -24,6 +24,7 @@ import erpnext from erpnext.accounts.general_ledger import process_gl_map +from erpnext.controllers.accounts_controller import InvalidQtyError from erpnext.controllers.taxes_and_totals import init_landed_taxes_and_totals from erpnext.manufacturing.doctype.bom.bom import add_additional_cost, validate_bom_no from erpnext.setup.doctype.brand.brand import get_brand_defaults @@ -390,7 +391,8 @@ def delete_linked_stock_entry(self): def set_transfer_qty(self): for item in self.get("items"): if not flt(item.qty): - frappe.throw(_("Row {0}: Qty is mandatory").format(item.idx), title=_("Zero quantity")) + message = _("Row {0}: Qty is mandatory").format(item.idx) + frappe.throw(message, InvalidQtyError, title=_("Zero quantity")) if not flt(item.conversion_factor): frappe.throw(_("Row {0}: UOM Conversion Factor is mandatory").format(item.idx)) item.transfer_qty = flt( diff --git a/erpnext/stock/doctype/stock_entry/test_stock_entry.py b/erpnext/stock/doctype/stock_entry/test_stock_entry.py index eb1c7a85ebfb..5ebf7c92daea 100644 --- a/erpnext/stock/doctype/stock_entry/test_stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/test_stock_entry.py @@ -8,6 +8,7 @@ from frappe.utils import add_days, add_to_date, flt, nowdate, nowtime, today from erpnext.accounts.doctype.account.test_account import get_inventory_account +from erpnext.controllers.accounts_controller import InvalidQtyError from erpnext.stock.doctype.item.test_item import ( create_item, make_item, @@ -54,6 +55,18 @@ def tearDown(self): frappe.db.rollback() frappe.set_user("Administrator") + def test_stock_entry_qty(self): + item_code = "_Test Item 2" + warehouse = "_Test Warehouse - _TC" + se = make_stock_entry(item_code=item_code, target=warehouse, qty=0, do_not_save=True) + with self.assertRaises(InvalidQtyError): + se.save() + + # No error with qty=1 + se.items[0].qty = 1 + se.save() + self.assertEqual(se.items[0].qty, 1) + def test_fifo(self): frappe.db.set_single_value("Stock Settings", "allow_negative_stock", 1) item_code = "_Test Item 2" From 4918aeb4c64b22c8e6a09fac1661cf7e96114ce2 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Bernd=20Oliver=20S=C3=BCnderhauf?= <46800703+bosue@users.noreply.github.com> Date: Tue, 14 Nov 2023 19:43:26 +0100 Subject: [PATCH 2/3] refactor: Consolidate duplicate zero-quantity transaction Items checks. --- .../request_for_quotation/request_for_quotation.py | 1 + erpnext/buying/utils.py | 8 -------- erpnext/controllers/accounts_controller.py | 12 +++++++----- erpnext/controllers/selling_controller.py | 6 +----- erpnext/stock/doctype/stock_entry/stock_entry.py | 5 +---- 5 files changed, 10 insertions(+), 22 deletions(-) diff --git a/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py b/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py index eea8cd5cc893..e4479ef60854 100644 --- a/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +++ b/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py @@ -65,6 +65,7 @@ class RequestforQuotation(BuyingController): def validate(self): self.validate_duplicate_supplier() self.validate_supplier_list() + super(RequestforQuotation, self).validate_qty_is_not_zero() validate_for_items(self) super(RequestforQuotation, self).set_qty_as_per_stock_uom() self.update_email_id() diff --git a/erpnext/buying/utils.py b/erpnext/buying/utils.py index 8b7b6940caf0..61e5e6a1c7bc 100644 --- a/erpnext/buying/utils.py +++ b/erpnext/buying/utils.py @@ -42,16 +42,8 @@ def update_last_purchase_rate(doc, is_submit) -> None: def validate_for_items(doc) -> None: - from erpnext.controllers.accounts_controller import InvalidQtyError - items = [] for d in doc.get("items"): - if not d.qty: - if doc.doctype == "Purchase Receipt" and d.rejected_qty: - continue - message = _("Please enter quantity for Item {0}").format(d.item_code) - frappe.throw(message, InvalidQtyError) - set_stock_levels(row=d) # update with latest quantities item = validate_item_and_get_basic_data(row=d) validate_stock_item_warehouse(row=d, item=item) diff --git a/erpnext/controllers/accounts_controller.py b/erpnext/controllers/accounts_controller.py index 1b8f66c897a4..09bcea97ea24 100644 --- a/erpnext/controllers/accounts_controller.py +++ b/erpnext/controllers/accounts_controller.py @@ -915,13 +915,15 @@ def get_value_in_transaction_currency(self, account_currency, args, field): return flt(args.get(field, 0) / self.get("conversion_rate", 1)) def validate_qty_is_not_zero(self): - if self.doctype == "Purchase Receipt": - return - for item in self.items: + if self.doctype == "Purchase Receipt" and item.rejected_qty: + continue + if not flt(item.qty): frappe.throw( - msg=_("Row #{0}: Item quantity cannot be zero").format(item.idx), + msg=_("Row #{0}: Quantity for Item {1} cannot be zero.").format( + item.idx, frappe.bold(item.item_code) + ), title=_("Invalid Quantity"), exc=InvalidQtyError, ) @@ -3019,7 +3021,7 @@ def get_new_child_item(item_row): def validate_quantity(child_item, new_data): if not flt(new_data.get("qty")): frappe.throw( - _("Row # {0}: Quantity for Item {1} cannot be zero").format( + _("Row #{0}: Quantity for Item {1} cannot be zero.").format( new_data.get("idx"), frappe.bold(new_data.get("item_code")) ), title=_("Invalid Qty"), diff --git a/erpnext/controllers/selling_controller.py b/erpnext/controllers/selling_controller.py index d6e3ee25a9f8..3bc054f09992 100644 --- a/erpnext/controllers/selling_controller.py +++ b/erpnext/controllers/selling_controller.py @@ -7,7 +7,7 @@ from frappe.utils import cint, flt, get_link_to_form, nowtime from erpnext.accounts.party import render_address -from erpnext.controllers.accounts_controller import InvalidQtyError, get_taxes_and_charges +from erpnext.controllers.accounts_controller import get_taxes_and_charges from erpnext.controllers.sales_and_purchase_return import get_rate_for_return from erpnext.controllers.stock_controller import StockController from erpnext.stock.doctype.item.item import set_item_default @@ -295,10 +295,6 @@ def throw_message(idx, item_name, rate, ref_rate_field): def get_item_list(self): il = [] for d in self.get("items"): - if d.qty is None: - message = _("Row {0}: Qty is mandatory").format(d.idx) - frappe.throw(message, InvalidQtyError) - if self.has_product_bundle(d.item_code): for p in self.get("packed_items"): if p.parent_detail_docname == d.name and p.parent_item == d.item_code: diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index 37a80be0e3da..e69489890fc8 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -24,7 +24,6 @@ import erpnext from erpnext.accounts.general_ledger import process_gl_map -from erpnext.controllers.accounts_controller import InvalidQtyError from erpnext.controllers.taxes_and_totals import init_landed_taxes_and_totals from erpnext.manufacturing.doctype.bom.bom import add_additional_cost, validate_bom_no from erpnext.setup.doctype.brand.brand import get_brand_defaults @@ -389,10 +388,8 @@ def delete_linked_stock_entry(self): frappe.delete_doc("Stock Entry", d.name) def set_transfer_qty(self): + self.validate_qty_is_not_zero() for item in self.get("items"): - if not flt(item.qty): - message = _("Row {0}: Qty is mandatory").format(item.idx) - frappe.throw(message, InvalidQtyError, title=_("Zero quantity")) if not flt(item.conversion_factor): frappe.throw(_("Row {0}: UOM Conversion Factor is mandatory").format(item.idx)) item.transfer_qty = flt( From 3688d9412e03a993f1d4067ac4f95d787379460d Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Bernd=20Oliver=20S=C3=BCnderhauf?= <46800703+bosue@users.noreply.github.com> Date: Sun, 3 Dec 2023 22:45:38 +0100 Subject: [PATCH 3/3] chore: Adapt translations to reworded message. --- erpnext/translations/af.csv | 3 +-- erpnext/translations/am.csv | 3 +-- erpnext/translations/ar.csv | 3 +-- erpnext/translations/bg.csv | 3 +-- erpnext/translations/bn.csv | 3 +-- erpnext/translations/bs.csv | 3 +-- erpnext/translations/ca.csv | 3 +-- erpnext/translations/cs.csv | 3 +-- erpnext/translations/cz.csv | 1 - erpnext/translations/da.csv | 3 +-- erpnext/translations/de.csv | 3 +-- erpnext/translations/el.csv | 3 +-- erpnext/translations/es-PE.csv | 1 - erpnext/translations/es.csv | 3 +-- erpnext/translations/es_pe.csv | 1 - erpnext/translations/et.csv | 3 +-- erpnext/translations/fa.csv | 3 +-- erpnext/translations/fi.csv | 3 +-- erpnext/translations/fr.csv | 3 +-- erpnext/translations/gu.csv | 3 +-- erpnext/translations/he.csv | 3 +-- erpnext/translations/hi.csv | 3 +-- erpnext/translations/hr.csv | 3 +-- erpnext/translations/hu.csv | 3 +-- erpnext/translations/id.csv | 3 +-- erpnext/translations/is.csv | 3 +-- erpnext/translations/it.csv | 3 +-- erpnext/translations/ja.csv | 3 +-- erpnext/translations/km.csv | 3 +-- erpnext/translations/kn.csv | 3 +-- erpnext/translations/ko.csv | 3 +-- erpnext/translations/ku.csv | 3 +-- erpnext/translations/lo.csv | 3 +-- erpnext/translations/lt.csv | 3 +-- erpnext/translations/lv.csv | 3 +-- erpnext/translations/mk.csv | 3 +-- erpnext/translations/ml.csv | 3 +-- erpnext/translations/mr.csv | 3 +-- erpnext/translations/ms.csv | 3 +-- erpnext/translations/my.csv | 3 +-- erpnext/translations/nl.csv | 3 +-- erpnext/translations/no.csv | 3 +-- erpnext/translations/pl.csv | 3 +-- erpnext/translations/ps.csv | 3 +-- erpnext/translations/pt-BR.csv | 2 -- erpnext/translations/pt.csv | 3 +-- erpnext/translations/ro.csv | 3 +-- erpnext/translations/ru.csv | 3 +-- erpnext/translations/rw.csv | 3 +-- erpnext/translations/si.csv | 3 +-- erpnext/translations/sk.csv | 3 +-- erpnext/translations/sl.csv | 3 +-- erpnext/translations/sq.csv | 3 +-- erpnext/translations/sr.csv | 3 +-- erpnext/translations/sv.csv | 3 +-- erpnext/translations/sw.csv | 3 +-- erpnext/translations/ta.csv | 3 +-- erpnext/translations/te.csv | 3 +-- erpnext/translations/th.csv | 3 +-- erpnext/translations/tr.csv | 3 +-- erpnext/translations/uk.csv | 3 +-- erpnext/translations/ur.csv | 3 +-- erpnext/translations/uz.csv | 3 +-- erpnext/translations/vi.csv | 3 +-- erpnext/translations/zh-TW.csv | 1 - erpnext/translations/zh.csv | 3 +-- erpnext/translations/zh_tw.csv | 3 +-- 67 files changed, 62 insertions(+), 130 deletions(-) diff --git a/erpnext/translations/af.csv b/erpnext/translations/af.csv index ee77d9894827..9c995e11855f 100644 --- a/erpnext/translations/af.csv +++ b/erpnext/translations/af.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,Ry {0}: Stel asb. Belastingvrystelling in verkoopsbelasting en heffings in, Row {0}: Please set the Mode of Payment in Payment Schedule,Ry {0}: Stel die modus van betaling in die betalingskedule in, Row {0}: Please set the correct code on Mode of Payment {1},Ry {0}: Stel die korrekte kode in op die manier van betaling {1}, -Row {0}: Qty is mandatory,Ry {0}: Aantal is verpligtend, Row {0}: Quality Inspection rejected for item {1},Ry {0}: Gehalte-inspeksie verwerp vir item {1}, Row {0}: UOM Conversion Factor is mandatory,Ry {0}: UOM Gesprekfaktor is verpligtend, Row {0}: select the workstation against the operation {1},Ry {0}: kies die werkstasie teen die operasie {1}, @@ -3461,7 +3460,6 @@ Issue Type.,Uitgawe tipe., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","Dit lyk asof daar 'n probleem met die bediener se streepkonfigurasie is. In geval van versuim, sal die bedrag terugbetaal word na u rekening.", Item Reported,Item Gerapporteer, Item listing removed,Itemlys is verwyder, -Item quantity can not be zero,Item hoeveelheid kan nie nul wees nie, Item taxes updated,Itembelasting opgedateer, Item {0}: {1} qty produced. ,Item {0}: {1} hoeveelheid geproduseer., Joining Date can not be greater than Leaving Date,Aansluitingsdatum kan nie groter wees as die vertrekdatum nie, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},Ry # {0}: Kostesentrum {1} behoort nie aan die maatskappy {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Ry # {0}: Bewerking {1} is nie voltooi vir {2} aantal voltooide goedere in werkorde {3}. Opdateer asseblief operasionele status via Job Card {4}., Row #{0}: Payment document is required to complete the transaction,Ry # {0}: Betaaldokument is nodig om die transaksie te voltooi, +Row #{0}: Quantity for Item {1} cannot be zero.,Ry # {0}: Hoeveelheid vir item {1} kan nie nul wees nie., Row #{0}: Serial No {1} does not belong to Batch {2},Ry # {0}: reeksnommer {1} behoort nie aan groep {2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,Ry # {0}: Die einddatum van die diens kan nie voor die inhandigingsdatum van die faktuur wees nie, Row #{0}: Service Start Date cannot be greater than Service End Date,Ry # {0}: Diens se begindatum kan nie groter wees as die einddatum van die diens nie, diff --git a/erpnext/translations/am.csv b/erpnext/translations/am.csv index a5f09a748836..4abdf7b0c29e 100644 --- a/erpnext/translations/am.csv +++ b/erpnext/translations/am.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,ረድፍ {0}: እባክዎ በሽያጭ ግብሮች እና ክፍያዎች ውስጥ ባለው የግብር ነጻነት ምክንያት ያዘጋጁ።, Row {0}: Please set the Mode of Payment in Payment Schedule,ረድፍ {0}: - እባክዎ የክፍያ አፈፃፀም ሁኔታን በክፍያ መርሃግብር ያዘጋጁ።, Row {0}: Please set the correct code on Mode of Payment {1},ረድፍ {0}: እባክዎን ትክክለኛውን ኮድ በክፍያ ሁኔታ ላይ ያቀናብሩ {1}, -Row {0}: Qty is mandatory,ረድፍ {0}: ብዛት የግዴታ ነው, Row {0}: Quality Inspection rejected for item {1},ረድፍ {0}: የጥራት ምርመራ ለንጥል ውድቅ ተደርጓል {1}, Row {0}: UOM Conversion Factor is mandatory,ረድፍ {0}: UOM የልወጣ ምክንያት የግዴታ ነው, Row {0}: select the workstation against the operation {1},ረድፍ {0}: ከግዜው ላይ {1}, @@ -3461,7 +3460,6 @@ Issue Type.,የጉዳይ ዓይነት።, "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","በአገልጋዩ የሽቦ ውቅር ላይ ችግር ያለ ይመስላል. ካልተሳካ, ገንዘቡ ወደ ሂሳብዎ ተመላሽ ይደረጋል.", Item Reported,ንጥል ሪፖርት ተደርጓል።, Item listing removed,የንጥል ዝርዝር ተወግ removedል, -Item quantity can not be zero,የንጥል ብዛት ዜሮ መሆን አይችልም።, Item taxes updated,የንጥል ግብሮች ዘምነዋል, Item {0}: {1} qty produced. ,ንጥል {0}: {1} ኪቲ ተመርቷል።, Joining Date can not be greater than Leaving Date,የመቀላቀል ቀን ከቀናት ቀን በላይ መሆን አይችልም, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},ረድፍ # {0}: የዋጋ ማእከል {1} የኩባንያው አካል አይደለም {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,ረድፍ # {0}: ክወና {1} በስራ ትእዛዝ ውስጥ ለተጠናቀቁ ዕቃዎች {2} ኪራይ አልተጠናቀቀም {3}። እባክዎን የአሠራር ሁኔታን በ Job Card በኩል ያዘምኑ {4}።, Row #{0}: Payment document is required to complete the transaction,ረድፍ # {0}: - ግብይቱን ለማጠናቀቅ የክፍያ ሰነድ ያስፈልጋል።, +Row #{0}: Quantity for Item {1} cannot be zero.,ረድፍ # {0}: የንጥል {1} ብዛት ዜሮ መሆን አይችልም።, Row #{0}: Serial No {1} does not belong to Batch {2},ረድፍ # {0}: መለያ ቁጥር {1} የጡብ አካል አይደለም {2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,ረድፍ # {0} የአገልግሎት የአገልግሎት ቀን የክፍያ መጠየቂያ መጠየቂያ ቀን ከማስታወቂያ በፊት መሆን አይችልም, Row #{0}: Service Start Date cannot be greater than Service End Date,ረድፍ # {0} የአገልግሎት የአገልግሎት ቀን ከአገልግሎት ማብቂያ ቀን በላይ መሆን አይችልም, diff --git a/erpnext/translations/ar.csv b/erpnext/translations/ar.csv index 195b9c79632e..eac5186edac3 100644 --- a/erpnext/translations/ar.csv +++ b/erpnext/translations/ar.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,الصف {0}: يرجى تعيين سبب الإعفاء الضريبي في ضرائب ورسوم المبيعات, Row {0}: Please set the Mode of Payment in Payment Schedule,الصف {0}: يرجى ضبط طريقة الدفع في جدول الدفع, Row {0}: Please set the correct code on Mode of Payment {1},الصف {0}: يرجى ضبط الكود الصحيح على طريقة الدفع {1}, -Row {0}: Qty is mandatory,الصف {0}: الكمية إلزامي, Row {0}: Quality Inspection rejected for item {1},الصف {0}: تم رفض فحص الجودة للعنصر {1}, Row {0}: UOM Conversion Factor is mandatory,الصف {0}: عامل تحويل UOM إلزامي\n
\nRow {0}: UOM Conversion Factor is mandatory, Row {0}: select the workstation against the operation {1},الصف {0}: حدد محطة العمل مقابل العملية {1}, @@ -3461,7 +3460,6 @@ Issue Type.,نوع القضية., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.",يبدو أن هناك مشكلة في تكوين شريطية للخادم. في حالة الفشل ، سيتم رد المبلغ إلى حسابك., Item Reported,البند المبلغ عنها, Item listing removed,إزالة عنصر القائمة, -Item quantity can not be zero,كمية البند لا يمكن أن يكون صفرا, Item taxes updated,الضرائب البند المحدثة, Item {0}: {1} qty produced. ,العنصر {0}: {1} الكمية المنتجة., Joining Date can not be greater than Leaving Date,تاريخ الانضمام لا يمكن أن يكون أكبر من تاريخ المغادرة, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},الصف # {0}: مركز التكلفة {1} لا ينتمي لشركة {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,الصف # {0}: العملية {1} لم تكتمل لـ {2} الكمية من السلع تامة الصنع في أمر العمل {3}. يرجى تحديث حالة التشغيل عبر بطاقة العمل {4}., Row #{0}: Payment document is required to complete the transaction,الصف # {0}: مطلوب مستند الدفع لإكمال الاجراء النهائي\n
\nRow #{0}: Payment document is required to complete the transaction, +Row #{0}: Quantity for Item {1} cannot be zero.,الصف # {0}: كمية البند {1} لا يمكن أن يكون صفرا, Row #{0}: Serial No {1} does not belong to Batch {2},الصف # {0}: الرقم التسلسلي {1} لا ينتمي إلى الدُفعة {2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,الصف # {0}: لا يمكن أن يكون تاريخ انتهاء الخدمة قبل تاريخ ترحيل الفاتورة, Row #{0}: Service Start Date cannot be greater than Service End Date,الصف # {0}: لا يمكن أن يكون تاريخ بدء الخدمة أكبر من تاريخ انتهاء الخدمة, diff --git a/erpnext/translations/bg.csv b/erpnext/translations/bg.csv index c2bacf4f939e..e29df96d342b 100644 --- a/erpnext/translations/bg.csv +++ b/erpnext/translations/bg.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,"Ред {0}: Моля, задайте Причината за освобождаване от данъци в данъците и таксите върху продажбите", Row {0}: Please set the Mode of Payment in Payment Schedule,"Ред {0}: Моля, задайте Начин на плащане в Схема за плащане", Row {0}: Please set the correct code on Mode of Payment {1},"Ред {0}: Моля, задайте правилния код на Начин на плащане {1}", -Row {0}: Qty is mandatory,Row {0}: Кол е задължително, Row {0}: Quality Inspection rejected for item {1},Ред {0}: Проверка на качеството е отхвърлена за елемент {1}, Row {0}: UOM Conversion Factor is mandatory,Row {0}: мерна единица реализациите Factor е задължително, Row {0}: select the workstation against the operation {1},Ред {0}: изберете работната станция срещу операцията {1}, @@ -3461,7 +3460,6 @@ Issue Type.,Тип издание, "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","Изглежда, че има проблем с конфигурацията на лентата на сървъра. В случай на неуспех, сумата ще бъде възстановена в профила Ви.", Item Reported,Елементът е отчетен, Item listing removed,Списъкът на артикулите е премахнат, -Item quantity can not be zero,Количеството на артикула не може да бъде нула, Item taxes updated,Актуализираните данъци върху артикулите, Item {0}: {1} qty produced. ,Елемент {0}: {1} брой произведени., Joining Date can not be greater than Leaving Date,Дата на присъединяване не може да бъде по-голяма от Дата на напускане, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},Ред № {0}: Център за разходи {1} не принадлежи на компания {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,"Ред № {0}: Операция {1} не е завършена за {2} количество готови продукти в работна поръчка {3}. Моля, актуализирайте състоянието на работа чрез Job Card {4}.", Row #{0}: Payment document is required to complete the transaction,Ред № {0}: За извършване на транзакцията е необходим платежен документ, +Row #{0}: Quantity for Item {1} cannot be zero.,Ред № {0}: Количеството на артикула {1} не може да бъде нула., Row #{0}: Serial No {1} does not belong to Batch {2},Ред № {0}: Пореден номер {1} не принадлежи на партида {2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,Ред № {0}: Крайната дата на услугата не може да бъде преди датата на публикуване на фактура, Row #{0}: Service Start Date cannot be greater than Service End Date,Ред № {0}: Началната дата на услугата не може да бъде по-голяма от крайната дата на услугата, diff --git a/erpnext/translations/bn.csv b/erpnext/translations/bn.csv index d7366e14ab75..79e3704ed0d7 100644 --- a/erpnext/translations/bn.csv +++ b/erpnext/translations/bn.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,সারি {0}: বিক্রয় কর এবং চার্জে কর ছাড়ের কারণ নির্ধারণ করুন, Row {0}: Please set the Mode of Payment in Payment Schedule,সারি {0}: অনুগ্রহ করে অর্থ প্রদানের সময়সূচীতে অর্থের মোড সেট করুন, Row {0}: Please set the correct code on Mode of Payment {1},সারি {0}: অনুগ্রহ করে প্রদানের পদ্ধতিতে সঠিক কোডটি সেট করুন {1}, -Row {0}: Qty is mandatory,সারি {0}: Qty বাধ্যতামূলক, Row {0}: Quality Inspection rejected for item {1},সারি {0}: আইটেমের জন্য গুণ পরিদর্শন প্রত্যাখ্যান {1}, Row {0}: UOM Conversion Factor is mandatory,সারি {0}: UOM রূপান্তর ফ্যাক্টর বাধ্যতামূলক, Row {0}: select the workstation against the operation {1},সারি {0}: অপারেশন {1} বিরুদ্ধে ওয়ার্কস্টেশন নির্বাচন করুন, @@ -3461,7 +3460,6 @@ Issue Type.,ইস্যু প্রকার।, "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","মনে হচ্ছে যে সার্ভারের স্ট্রাপ কনফিগারেশনের সাথে একটি সমস্যা আছে ব্যর্থতার ক্ষেত্রে, এই পরিমাণটি আপনার অ্যাকাউন্টে ফেরত পাঠানো হবে।", Item Reported,আইটেম প্রতিবেদন করা, Item listing removed,আইটেমের তালিকা সরানো হয়েছে, -Item quantity can not be zero,আইটেম পরিমাণ শূন্য হতে পারে না, Item taxes updated,আইটেম ট্যাক্স আপডেট হয়েছে, Item {0}: {1} qty produced. ,আইটেম {0}: produced 1} কিউটি উত্পাদিত।, Joining Date can not be greater than Leaving Date,যোগদানের তারিখ ত্যাগের তারিখের চেয়ে বড় হতে পারে না, @@ -3632,6 +3630,7 @@ Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order. Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subcontractor,সারি # {0}: সাবকন্ট্রাক্টরে কাঁচামাল সরবরাহ করার সময় সরবরাহকারী গুদাম নির্বাচন করতে পারবেন না, Row #{0}: Cost Center {1} does not belong to company {2},সারি # {0}: মূল্য কেন্দ্র {1 company সংস্থার নয়} 2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,সারি # {0}: কার্য অর্ডার {3 in সমাপ্ত পণ্যগুলির {2} কিউটির জন্য অপারেশন {1} সম্পন্ন হয় না} জব কার্ড {4 via এর মাধ্যমে ক্রিয়াকলাপের স্থিতি আপডেট করুন}, +Row #{0}: Quantity for Item {1} cannot be zero.,সারি # {0}: আইটেম {1} এর পরিমাণ শূন্য হতে পারে না, Row #{0}: Payment document is required to complete the transaction,সারি # {0}: লেনদেনটি সম্পূর্ণ করতে পেমেন্ট ডকুমেন্টের প্রয়োজন, Row #{0}: Serial No {1} does not belong to Batch {2},সারি # {0}: ক্রমিক নং {1 B ব্যাচ belong 2 belong এর সাথে সম্পর্কিত নয়, Row #{0}: Service End Date cannot be before Invoice Posting Date,সারি # {0}: পরিষেবা শেষ হওয়ার তারিখ চালানের পোস্টের তারিখের আগে হতে পারে না, diff --git a/erpnext/translations/bs.csv b/erpnext/translations/bs.csv index df4083eed6fb..a3027db93d60 100644 --- a/erpnext/translations/bs.csv +++ b/erpnext/translations/bs.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,Red {0}: Podesite razlog oslobađanja od poreza u porezima i naknadama na promet, Row {0}: Please set the Mode of Payment in Payment Schedule,Red {0}: Molimo postavite Način plaćanja u Rasporedu plaćanja, Row {0}: Please set the correct code on Mode of Payment {1},Red {0}: Molimo postavite ispravan kod na Način plaćanja {1}, -Row {0}: Qty is mandatory,Red {0}: Količina je obvezno, Row {0}: Quality Inspection rejected for item {1},Red {0}: Odbačena inspekcija kvaliteta za stavku {1}, Row {0}: UOM Conversion Factor is mandatory,Red {0}: UOM Faktor konverzije je obavezno, Row {0}: select the workstation against the operation {1},Red {0}: izaberite radnu stanicu protiv operacije {1}, @@ -3461,7 +3460,6 @@ Issue Type.,Vrsta izdanja, "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","Čini se da postoji problem sa konfiguracijom trake servera. U slučaju neuspeha, iznos će biti vraćen na vaš račun.", Item Reported,Stavka prijavljena, Item listing removed,Popis predmeta je uklonjen, -Item quantity can not be zero,Količina predmeta ne može biti jednaka nuli, Item taxes updated,Ažurirani su porezi na artikle, Item {0}: {1} qty produced. ,Stavka {0}: {1} proizvedeno., Joining Date can not be greater than Leaving Date,Datum pridruživanja ne može biti veći od Datum napuštanja, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},Redak # {0}: Troškovi {1} ne pripada kompaniji {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Red # {0}: Operacija {1} nije dovršena za {2} broj gotovih proizvoda u radnom nalogu {3}. Ažurirajte status rada putem Job Card {4}., Row #{0}: Payment document is required to complete the transaction,Redak broj {0}: Za završetak transakcije potreban je dokument o plaćanju, +Row #{0}: Quantity for Item {1} cannot be zero.,Redak broj {0}: Količina predmeta {1} ne može biti jednaka nuli., Row #{0}: Serial No {1} does not belong to Batch {2},Red # {0}: Serijski br. {1} ne pripada grupi {2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,Redak broj {0}: Datum završetka usluge ne može biti prije datuma knjiženja fakture, Row #{0}: Service Start Date cannot be greater than Service End Date,Redak broj {0}: Datum početka usluge ne može biti veći od datuma završetka usluge, diff --git a/erpnext/translations/ca.csv b/erpnext/translations/ca.csv index b3cf2c5fe11b..1c07e67ff5d3 100644 --- a/erpnext/translations/ca.csv +++ b/erpnext/translations/ca.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,Fila {0}: especifiqueu la raó d’exempció d’impostos en els impostos i els càrrecs de venda, Row {0}: Please set the Mode of Payment in Payment Schedule,Fila {0}: estableix el mode de pagament a la planificació de pagaments, Row {0}: Please set the correct code on Mode of Payment {1},Fila {0}: configureu el codi correcte al mode de pagament {1}, -Row {0}: Qty is mandatory,Fila {0}: Quantitat és obligatori, Row {0}: Quality Inspection rejected for item {1},Fila {0}: s'ha rebutjat la inspecció de qualitat per a l'element {1}, Row {0}: UOM Conversion Factor is mandatory,Fila {0}: UOM factor de conversió és obligatori, Row {0}: select the workstation against the operation {1},Fila {0}: seleccioneu l'estació de treball contra l'operació {1}, @@ -3461,7 +3460,6 @@ Issue Type.,Tipus de problema., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","Sembla que hi ha un problema amb la configuració de la xarxa del servidor. En cas de fracàs, l'import es reemborsarà al vostre compte.", Item Reported,Article reportat, Item listing removed,S'ha eliminat la llista d'elements, -Item quantity can not be zero,La quantitat d’element no pot ser zero, Item taxes updated,Impostos d’articles actualitzats, Item {0}: {1} qty produced. ,Element {0}: {1} quantitat produïda., Joining Date can not be greater than Leaving Date,La data de combinació no pot ser superior a la data de sortida, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},Fila # {0}: el centre de cost {1} no pertany a l'empresa {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Fila # {0}: L'operació {1} no es completa per a {2} la quantitat de productes acabats en l'Ordre de Treball {3}. Actualitzeu l'estat de l'operació mitjançant la targeta de treball {4}., Row #{0}: Payment document is required to complete the transaction,Fila # {0}: el document de pagament és necessari per completar la transacció, +Row #{0}: Quantity for Item {1} cannot be zero.,Fila # {0}: La quantitat d'element {1} no pot ser zero., Row #{0}: Serial No {1} does not belong to Batch {2},Fila # {0}: el número de sèrie {1} no pertany a la llista de lots {2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,Fila # {0}: la data de finalització del servei no pot ser anterior a la data de publicació de la factura, Row #{0}: Service Start Date cannot be greater than Service End Date,Fila # {0}: la data d'inici del servei no pot ser superior a la data de finalització del servei, diff --git a/erpnext/translations/cs.csv b/erpnext/translations/cs.csv index b6deaa46d858..2e28cec8ce18 100644 --- a/erpnext/translations/cs.csv +++ b/erpnext/translations/cs.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,Řádek {0}: Nastavte prosím na důvod osvobození od daně v daních z prodeje a poplatcích, Row {0}: Please set the Mode of Payment in Payment Schedule,Řádek {0}: Nastavte prosím platební režim v plánu plateb, Row {0}: Please set the correct code on Mode of Payment {1},Řádek {0}: Nastavte prosím správný kód v platebním režimu {1}, -Row {0}: Qty is mandatory,Row {0}: Množství je povinný, Row {0}: Quality Inspection rejected for item {1},Řádek {0}: Inspekce kvality zamítnuta pro položku {1}, Row {0}: UOM Conversion Factor is mandatory,Řádek {0}: UOM Konverzní faktor je povinné, Row {0}: select the workstation against the operation {1},Řádek {0}: vyberte pracovní stanici proti operaci {1}, @@ -3461,7 +3460,6 @@ Issue Type.,Typ problému., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","Zdá se, že je problém s konfigurací proužku serveru. V případě selhání bude částka vrácena na váš účet.", Item Reported,Hlášená položka, Item listing removed,Seznam položek byl odstraněn, -Item quantity can not be zero,Množství položky nemůže být nula, Item taxes updated,Daň z položek byla aktualizována, Item {0}: {1} qty produced. ,Položka {0}: {1} vyrobeno množství., Joining Date can not be greater than Leaving Date,Datum připojení nesmí být větší než datum opuštění, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},Řádek # {0}: Nákladové středisko {1} nepatří společnosti {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Řádek # {0}: Operace {1} není dokončena pro {2} množství hotového zboží v objednávce {3}. Aktualizujte prosím provozní stav pomocí Job Card {4}., Row #{0}: Payment document is required to complete the transaction,Řádek # {0}: K dokončení transakce je vyžadován platební doklad, +Row #{0}: Quantity for Item {1} cannot be zero.,Řádek # {0}: Množství položky {1} nemůže být nula., Row #{0}: Serial No {1} does not belong to Batch {2},Řádek # {0}: Sériové číslo {1} nepatří do dávky {2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,Řádek # {0}: Datum ukončení služby nesmí být před datem účtování faktury, Row #{0}: Service Start Date cannot be greater than Service End Date,Řádek # {0}: Datum zahájení služby nesmí být větší než datum ukončení služby, diff --git a/erpnext/translations/cz.csv b/erpnext/translations/cz.csv index 96de062059d6..a356a0721a4c 100644 --- a/erpnext/translations/cz.csv +++ b/erpnext/translations/cz.csv @@ -1101,7 +1101,6 @@ Contract,Smlouva, Disabled,Vypnuto, UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion faktor potřebný k nerozpuštěných: {0} v bodě: {1} Indirect Expenses,Nepřímé náklady, -Row {0}: Qty is mandatory,Row {0}: Množství je povinny, Agriculture,Zemědělstvy, Your Products or Services,Vaše Produkty nebo Služby, Mode of Payment,Způsob platby, diff --git a/erpnext/translations/da.csv b/erpnext/translations/da.csv index 4bcc30758316..2550f351d4f4 100644 --- a/erpnext/translations/da.csv +++ b/erpnext/translations/da.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,Række {0}: Angiv venligst skattefritagelsesårsag i moms og afgifter, Row {0}: Please set the Mode of Payment in Payment Schedule,Række {0}: Angiv betalingsmåde i betalingsplan, Row {0}: Please set the correct code on Mode of Payment {1},Række {0}: Angiv den korrekte kode på betalingsmetode {1}, -Row {0}: Qty is mandatory,Række {0}: Antal er obligatorisk, Row {0}: Quality Inspection rejected for item {1},Række {0}: Kvalitetskontrol afvist for vare {1}, Row {0}: UOM Conversion Factor is mandatory,Række {0}: Enhedskode-konverteringsfaktor er obligatorisk, Row {0}: select the workstation against the operation {1},Række {0}: Vælg arbejdsstationen imod operationen {1}, @@ -3461,7 +3460,6 @@ Issue Type.,Udgavetype., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.",Det ser ud som om der er et problem med serverens stribekonfiguration. I tilfælde af fejl bliver beløbet refunderet til din konto., Item Reported,Emne rapporteret, Item listing removed,Elementlisten er fjernet, -Item quantity can not be zero,Varemængde kan ikke være nul, Item taxes updated,Vareafgift opdateret, Item {0}: {1} qty produced. ,Vare {0}: {1} produceret antal., Joining Date can not be greater than Leaving Date,Deltagelsesdato kan ikke være større end forladelsesdato, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},Række nr. {0}: Omkostningscenter {1} hører ikke til firmaet {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Række nr. {0}: Betjening {1} er ikke afsluttet for {2} antal færdige varer i arbejdsordre {3}. Opdater driftsstatus via Jobkort {4}., Row #{0}: Payment document is required to complete the transaction,Række nr. {0}: Betalingsdokument er påkrævet for at gennemføre transaktionen, +Row #{0}: Quantity for Item {1} cannot be zero.,Række nr. {0}: Varemængde for vare {1} kan ikke være nul., Row #{0}: Serial No {1} does not belong to Batch {2},Række nr. {0}: Serienummer {1} hører ikke til batch {2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,Række nr. {0}: Service-slutdato kan ikke være før fakturaens udgivelsesdato, Row #{0}: Service Start Date cannot be greater than Service End Date,Række nr. {0}: Service-startdato kan ikke være større end service-slutdato, diff --git a/erpnext/translations/de.csv b/erpnext/translations/de.csv index 2745d4da12b6..f6fc99320086 100644 --- a/erpnext/translations/de.csv +++ b/erpnext/translations/de.csv @@ -2287,7 +2287,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,Zeile {0}: Bitte setzen Sie den Steuerbefreiungsgrund in den Umsatzsteuern und -gebühren, Row {0}: Please set the Mode of Payment in Payment Schedule,Zeile {0}: Bitte legen Sie die Zahlungsart im Zahlungsplan fest, Row {0}: Please set the correct code on Mode of Payment {1},Zeile {0}: Bitte geben Sie den richtigen Code für die Zahlungsweise ein {1}, -Row {0}: Qty is mandatory,Zeile {0}: Menge ist zwingend erforderlich, Row {0}: Quality Inspection rejected for item {1},Zeile {0}: Qualitätsprüfung für Artikel {1} abgelehnt, Row {0}: UOM Conversion Factor is mandatory,Zeile {0}: Umrechnungsfaktor für Maßeinheit ist zwingend erforderlich, Row {0}: select the workstation against the operation {1},Zeile {0}: Wählen Sie die Arbeitsstation für die Operation {1} aus., @@ -3481,7 +3480,6 @@ Issue Type.,Problemtyp., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","Es scheint, dass ein Problem mit der Stripe-Konfiguration des Servers vorliegt. Im Falle eines Fehlers wird der Betrag Ihrem Konto gutgeschrieben.", Item Reported,Gegenstand gemeldet, Item listing removed,Objektliste entfernt, -Item quantity can not be zero,Artikelmenge kann nicht Null sein, Item taxes updated,Artikelsteuern aktualisiert, Item {0}: {1} qty produced. ,Artikel {0}: {1} produzierte Menge., Joining Date can not be greater than Leaving Date,Das Beitrittsdatum darf nicht größer als das Austrittsdatum sein, @@ -3655,6 +3653,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},Zeile {0}: Kostenstelle {1} gehört nicht zu Firma {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Zeile {0}: Vorgang {1} ist für {2} Fertigwarenmenge im Fertigungsauftrag {3} nicht abgeschlossen. Bitte aktualisieren Sie den Betriebsstatus über die Jobkarte {4}., Row #{0}: Payment document is required to complete the transaction,"Zeile {0}: Der Zahlungsbeleg ist erforderlich, um die Transaktion abzuschließen", +Row #{0}: Quantity for Item {1} cannot be zero.,Zeile {0}: Artikelmenge {1} kann nicht Null sein., Row #{0}: Serial No {1} does not belong to Batch {2},Zeile {0}: Seriennummer {1} gehört nicht zu Charge {2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,Zeile {0}: Das Service-Enddatum darf nicht vor dem Rechnungsbuchungsdatum liegen, Row #{0}: Service Start Date cannot be greater than Service End Date,Zeile {0}: Das Servicestartdatum darf nicht höher als das Serviceenddatum sein, diff --git a/erpnext/translations/el.csv b/erpnext/translations/el.csv index e67eaffc6983..b90a10dd6fac 100644 --- a/erpnext/translations/el.csv +++ b/erpnext/translations/el.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,Σειρά {0}: Ρυθμίστε τον Φορολογικής Εξαίρεσης για τους Φόρους Πώλησης και τα Τέλη, Row {0}: Please set the Mode of Payment in Payment Schedule,Σειρά {0}: Ρυθμίστε τον τρόπο πληρωμής στο χρονοδιάγραμμα πληρωμών, Row {0}: Please set the correct code on Mode of Payment {1},Σειρά {0}: Ρυθμίστε τον σωστό κώδικα στη μέθοδο πληρωμής {1}, -Row {0}: Qty is mandatory,Γραμμή {0}: η ποσότητα είναι απαραίτητη, Row {0}: Quality Inspection rejected for item {1},Σειρά {0}: Η επιθεώρηση ποιότητας απορρίφθηκε για το στοιχείο {1}, Row {0}: UOM Conversion Factor is mandatory,Σειρά {0}: UOM Συντελεστής μετατροπής είναι υποχρεωτική, Row {0}: select the workstation against the operation {1},Γραμμή {0}: επιλέξτε τη θέση εργασίας σε σχέση με τη λειτουργία {1}, @@ -3461,7 +3460,6 @@ Issue Type.,Τύπος έκδοσης., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","Φαίνεται ότι υπάρχει ένα πρόβλημα με τη διαμόρφωση της λωρίδας του διακομιστή. Σε περίπτωση αποτυχίας, το ποσό θα επιστραφεί στο λογαριασμό σας.", Item Reported,Στοιχείο Αναφέρεται, Item listing removed,Η καταχώριση αντικειμένου καταργήθηκε, -Item quantity can not be zero,Η ποσότητα του στοιχείου δεν μπορεί να είναι μηδέν, Item taxes updated,Οι φόροι των στοιχείων ενημερώθηκαν, Item {0}: {1} qty produced. ,Στοιχείο {0}: {1} παράγεται., Joining Date can not be greater than Leaving Date,Η ημερομηνία σύνδεσης δεν μπορεί να είναι μεγαλύτερη από την ημερομηνία λήξης, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},Σειρά # {0}: Το κέντρο κόστους {1} δεν ανήκει στην εταιρεία {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Σειρά # {0}: Η λειτουργία {1} δεν έχει ολοκληρωθεί για {2} ποσότητα τελικών προϊόντων στην Παραγγελία Εργασίας {3}. Ενημερώστε την κατάσταση λειτουργίας μέσω της κάρτας εργασίας {4}., Row #{0}: Payment document is required to complete the transaction,Γραμμή # {0}: Απαιτείται το έγγραφο πληρωμής για την ολοκλήρωση της συναλλαγής, +Row #{0}: Quantity for Item {1} cannot be zero.,Γραμμή # {0}: Η ποσότητα του στοιχείου {1} δεν μπορεί να είναι μηδέν, Row #{0}: Serial No {1} does not belong to Batch {2},Σειρά # {0}: Ο σειριακός αριθμός {1} δεν ανήκει στην Παρτίδα {2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,Σειρά # {0}: Η ημερομηνία λήξης υπηρεσίας δεν μπορεί να είναι πριν από την ημερομηνία αποστολής τιμολογίου, Row #{0}: Service Start Date cannot be greater than Service End Date,Σειρά # {0}: Η Ημερομηνία Έναρξης Υπηρεσίας δεν μπορεί να είναι μεγαλύτερη από την Ημερομηνία Λήξης Υπηρεσίας, diff --git a/erpnext/translations/es-PE.csv b/erpnext/translations/es-PE.csv index ed5d065b009b..2e28e78d7903 100644 --- a/erpnext/translations/es-PE.csv +++ b/erpnext/translations/es-PE.csv @@ -388,7 +388,6 @@ Maintenance Visit Purpose,Propósito de la Visita de Mantenimiento, No of Sent SMS,No. de SMS enviados, Stock Received But Not Billed,Inventario Recibido pero no facturados, Stores,Tiendas, -Row {0}: Qty is mandatory,Fila {0}: Cantidad es obligatorio, Report Type is mandatory,Tipo de informe es obligatorio, "System User (login) ID. If set, it will become default for all HR forms.","Usuario del Sistema (login )ID. Si se establece , será por defecto para todas las formas de Recursos Humanos." UOM Conversion factor is required in row {0},"El factor de conversión de la (UdM) Unidad de medida, es requerida en la linea {0}" diff --git a/erpnext/translations/es.csv b/erpnext/translations/es.csv index 0c90694f8f32..681972e54901 100644 --- a/erpnext/translations/es.csv +++ b/erpnext/translations/es.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,Fila {0}: establezca el Motivo de exención de impuestos en Impuestos y cargos de ventas, Row {0}: Please set the Mode of Payment in Payment Schedule,Fila {0}: establezca el modo de pago en el calendario de pagos, Row {0}: Please set the correct code on Mode of Payment {1},Fila {0}: establezca el código correcto en Modo de pago {1}, -Row {0}: Qty is mandatory,Línea {0}: La cantidad es obligatoria, Row {0}: Quality Inspection rejected for item {1},Fila {0}: Inspección de calidad rechazada para el artículo {1}, Row {0}: UOM Conversion Factor is mandatory,Línea {0}: El factor de conversión de (UdM) es obligatorio, Row {0}: select the workstation against the operation {1},Fila {0}: seleccione la estación de trabajo contra la operación {1}, @@ -3461,7 +3460,6 @@ Issue Type.,Tipo de problema., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","Parece que hay un problema con la configuración de la banda del servidor. En caso de falla, la cantidad será reembolsada a su cuenta.", Item Reported,Artículo reportado, Item listing removed,Listado de artículos eliminado, -Item quantity can not be zero,La cantidad del artículo no puede ser cero, Item taxes updated,Impuestos de artículos actualizados, Item {0}: {1} qty produced. ,Elemento {0}: {1} cantidad producida., Joining Date can not be greater than Leaving Date,La fecha de incorporación no puede ser mayor que la fecha de salida, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},Fila # {0}: el centro de costos {1} no pertenece a la compañía {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Fila # {0}: la operación {1} no se completa para {2} cantidad de productos terminados en la orden de trabajo {3}. Actualice el estado de la operación a través de la Tarjeta de trabajo {4}., Row #{0}: Payment document is required to complete the transaction,Fila # {0}: se requiere un documento de pago para completar la transacción, +Row #{0}: Quantity for Item {1} cannot be zero.,Fila # {0}: La cantidad del artículo {1} no puede ser cero., Row #{0}: Serial No {1} does not belong to Batch {2},Fila # {0}: El número de serie {1} no pertenece al lote {2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,Fila n.º {0}: la fecha de finalización del servicio no puede ser anterior a la fecha de contabilización de facturas, Row #{0}: Service Start Date cannot be greater than Service End Date,Fila n.º {0}: la fecha de inicio del servicio no puede ser mayor que la fecha de finalización del servicio, diff --git a/erpnext/translations/es_pe.csv b/erpnext/translations/es_pe.csv index 9b801e588269..405c02827bf8 100644 --- a/erpnext/translations/es_pe.csv +++ b/erpnext/translations/es_pe.csv @@ -310,7 +310,6 @@ Row {0}: Debit entry can not be linked with a {1},Fila {0}: Débito no puede vin Row {0}: Party Type and Party is required for Receivable / Payable account {1},Fila {0}: el tipo de entidad se requiere para las cuentas por cobrar/pagar {1}, Row {0}: Payment against Sales/Purchase Order should always be marked as advance,Fila {0}: El pago de Compra/Venta siempre debe estar marcado como anticipo, Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Fila {0}: Por favor, consulte ""¿Es Avance 'contra la Cuenta {1} si se trata de una entrada con antelación.", -Row {0}: Qty is mandatory,Fila {0}: Cantidad es obligatorio, Row {0}: {1} {2} does not match with {3},Fila {0}: {1} {2} no coincide con {3}, Row {0}:Start Date must be before End Date,Fila {0}: Fecha de inicio debe ser anterior Fecha de finalización, Rules for adding shipping costs.,Reglas para la adición de los gastos de envío ., diff --git a/erpnext/translations/et.csv b/erpnext/translations/et.csv index 69a89d9d2241..4cd6753574a7 100644 --- a/erpnext/translations/et.csv +++ b/erpnext/translations/et.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,Rida {0}: palun määrake käibemaksu ja lõivude maksuvabastuse põhjus, Row {0}: Please set the Mode of Payment in Payment Schedule,Rida {0}: määrake maksegraafikus makseviis, Row {0}: Please set the correct code on Mode of Payment {1},Rida {0}: seadke makserežiimis {1} õige kood, -Row {0}: Qty is mandatory,Row {0}: Kogus on kohustuslikuks, Row {0}: Quality Inspection rejected for item {1},Rida {0}: üksuse {1} kvaliteedikontroll lükati tagasi, Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM Conversion Factor on kohustuslik, Row {0}: select the workstation against the operation {1},Rida {0}: valige tööjaam operatsiooni vastu {1}, @@ -3461,7 +3460,6 @@ Issue Type.,Väljaande tüüp., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","Tundub, et serveri riba konfiguratsiooniga on probleem. Ebaõnnestumise korral tagastatakse summa teie kontole.", Item Reported,Teatatud üksusest, Item listing removed,Üksuse kirje eemaldati, -Item quantity can not be zero,Toote kogus ei saa olla null, Item taxes updated,Üksuse maksud värskendatud, Item {0}: {1} qty produced. ,Toode {0}: {1} toodetud kogus., Joining Date can not be greater than Leaving Date,Liitumiskuupäev ei saa olla suurem kui lahkumiskuupäev, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},Rida # 0: kulukeskus {1} ei kuulu ettevõttele {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Rida # 0: operatsioon {1} ei ole lõpule viidud {2} töökäsus {3} olevate valmistoodete osas. Värskendage töö olekut töökaardi {4} kaudu., Row #{0}: Payment document is required to complete the transaction,Rida # 0: tehingu lõpuleviimiseks on vaja maksedokumenti, +Row #{0}: Quantity for Item {1} cannot be zero.,Rida # {0}: Toote {1} kogus ei saa olla null., Row #{0}: Serial No {1} does not belong to Batch {2},Rida # 0: seerianumber {1} ei kuulu partiisse {2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,Rida # {0}: teenuse lõppkuupäev ei saa olla enne arve saatmise kuupäeva, Row #{0}: Service Start Date cannot be greater than Service End Date,Rida # 0: teenuse alguskuupäev ei saa olla suurem kui teenuse lõppkuupäev, diff --git a/erpnext/translations/fa.csv b/erpnext/translations/fa.csv index cddabfb44893..5f8fbd558a29 100644 --- a/erpnext/translations/fa.csv +++ b/erpnext/translations/fa.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,ردیف {0}: لطفاً دلیل معافیت مالیاتی در مالیات و عوارض فروش را تعیین کنید, Row {0}: Please set the Mode of Payment in Payment Schedule,ردیف {0}: لطفاً نحوه پرداخت را در جدول پرداخت تنظیم کنید, Row {0}: Please set the correct code on Mode of Payment {1},ردیف {0}: لطفا کد صحیح را در حالت پرداخت {1} تنظیم کنید, -Row {0}: Qty is mandatory,ردیف {0}: تعداد الزامی است, Row {0}: Quality Inspection rejected for item {1},ردیف {0}: بازرسی کیفیت برای آیتم {1} رد شد, Row {0}: UOM Conversion Factor is mandatory,ردیف {0}: UOM عامل تبدیل الزامی است, Row {0}: select the workstation against the operation {1},ردیف {0}: ایستگاه کاری را در برابر عملیات انتخاب کنید {1}, @@ -3461,7 +3460,6 @@ Issue Type.,نوع مقاله., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.",به نظر می رسد یک مشکل با پیکربندی نوار خط سرور وجود دارد. در صورت خرابی، مقدار به حساب شما بازپرداخت خواهد شد., Item Reported,گزارش مورد, Item listing removed,لیست موارد حذف شد, -Item quantity can not be zero,مقدار کالا نمی تواند صفر باشد, Item taxes updated,مالیات مورد به روز شد, Item {0}: {1} qty produced. ,مورد {0}: {1 ty تولید شده است., Joining Date can not be greater than Leaving Date,تاریخ عضویت نمی تواند بیشتر از تاریخ ترک باشد, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},ردیف شماره {0: مرکز هزینه 1} متعلق به شرکت {2, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,ردیف شماره {0: عملیات {1 for برای کالاهای {2 پوند در سفارش کار 3 {کامل نشده است. لطفاً وضعیت عملکرد را از طریق کارت کار 4 update به روز کنید., Row #{0}: Payment document is required to complete the transaction,ردیف # {0}: برای تکمیل معامله ، سند پرداخت لازم است, +Row #{0}: Quantity for Item {1} cannot be zero.,ردیف # {0}: مقدار کالای {1} نمی تواند صفر باشد, Row #{0}: Serial No {1} does not belong to Batch {2},ردیف شماره {0: سریال شماره {1} متعلق به دسته {2 نیست, Row #{0}: Service End Date cannot be before Invoice Posting Date,ردیف شماره {0}: تاریخ پایان خدمت نمی تواند قبل از تاریخ ارسال فاکتور باشد, Row #{0}: Service Start Date cannot be greater than Service End Date,ردیف شماره {0}: تاریخ شروع سرویس نمی تواند بیشتر از تاریخ پایان سرویس باشد, diff --git a/erpnext/translations/fi.csv b/erpnext/translations/fi.csv index eae6053915a0..f412731777e7 100644 --- a/erpnext/translations/fi.csv +++ b/erpnext/translations/fi.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,Rivi {0}: aseta verovapautusperusteeksi myyntiverot ja maksut, Row {0}: Please set the Mode of Payment in Payment Schedule,Rivi {0}: Aseta maksutapa maksuaikataulussa, Row {0}: Please set the correct code on Mode of Payment {1},Rivi {0}: Aseta oikea koodi Maksutilaan {1}, -Row {0}: Qty is mandatory,Rivillä {0}: Yksikkömäärä vaaditaan, Row {0}: Quality Inspection rejected for item {1},Rivi {0}: Tuotteen {1} laatutarkastus hylätty, Row {0}: UOM Conversion Factor is mandatory,Rivi {0}: UOM Muuntokerroin on pakollinen, Row {0}: select the workstation against the operation {1},Rivi {0}: valitse työasema operaatiota vastaan {1}, @@ -3461,7 +3460,6 @@ Issue Type.,Julkaisutyyppi., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","Näyttää siltä, että palvelimen raidakokoonpano on ongelma. Vahingossa summa palautetaan tilillesi.", Item Reported,Kohde ilmoitettu, Item listing removed,Tuotetiedot poistettu, -Item quantity can not be zero,Tuotteen määrä ei voi olla nolla, Item taxes updated,Tuoteverot päivitetty, Item {0}: {1} qty produced. ,Tuote {0}: {1} määrä tuotettu., Joining Date can not be greater than Leaving Date,Liittymispäivä ei voi olla suurempi kuin lähtöpäivä, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},Rivi # {0}: Kustannuskeskus {1} ei kuulu yritykseen {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Rivi # {0}: Operaatiota {1} ei suoriteta {2} määrälle työjärjestyksessä {3} olevia valmiita tuotteita. Päivitä toimintatila työkortilla {4}., Row #{0}: Payment document is required to complete the transaction,Rivi # {0}: Maksutodistus vaaditaan tapahtuman suorittamiseksi, +Row #{0}: Quantity for Item {1} cannot be zero.,Rivi # {0}: Tuotteen {1} määrä ei voi olla nolla., Row #{0}: Serial No {1} does not belong to Batch {2},Rivi # {0}: Sarjanumero {1} ei kuulu erään {2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,Rivi # {0}: Palvelun lopetuspäivä ei voi olla ennen laskun lähettämispäivää, Row #{0}: Service Start Date cannot be greater than Service End Date,Rivi # {0}: Palvelun aloituspäivä ei voi olla suurempi kuin palvelun lopetuspäivä, diff --git a/erpnext/translations/fr.csv b/erpnext/translations/fr.csv index a7111234afa6..53a9027f9f02 100644 --- a/erpnext/translations/fr.csv +++ b/erpnext/translations/fr.csv @@ -2111,7 +2111,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,Ligne {0}: Définissez le motif d'exemption de taxe dans les taxes de vente et les frais., Row {0}: Please set the Mode of Payment in Payment Schedule,Ligne {0}: Veuillez définir le mode de paiement dans le calendrier de paiement., Row {0}: Please set the correct code on Mode of Payment {1},Ligne {0}: définissez le code correct sur le mode de paiement {1}., -Row {0}: Qty is mandatory,Ligne {0} : Qté obligatoire, Row {0}: Quality Inspection rejected for item {1},Ligne {0}: le contrôle qualité a été rejeté pour l'élément {1}., Row {0}: UOM Conversion Factor is mandatory,Ligne {0} : Facteur de Conversion nomenclature est obligatoire, Row {0}: select the workstation against the operation {1},Ligne {0}: sélectionnez le poste de travail en fonction de l'opération {1}, @@ -3152,7 +3151,6 @@ Issue Type.,Type de probleme., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","Il semble qu'il y a un problème avec la configuration de Stripe sur le serveur. En cas d'erreur, le montant est remboursé sur votre compte.", Item Reported,Article rapporté, Item listing removed,Liste d'articles supprimée, -Item quantity can not be zero,La quantité d'article ne peut être nulle, Item taxes updated,Taxes sur les articles mises à jour, Item {0}: {1} qty produced. ,Article {0}: {1} quantité produite., Joining Date can not be greater than Leaving Date,La date d'adhésion ne peut pas être supérieure à la date de départ, @@ -3299,6 +3297,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},Ligne # {0}: le centre de coûts {1} n'appartient pas à l'entreprise {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Ligne n ° {0}: l'opération {1} n'est pas terminée pour {2} quantité de produits finis dans l'ordre de fabrication {3}. Veuillez mettre à jour le statut de l'opération via la carte de travail {4}., Row #{0}: Payment document is required to complete the transaction,Ligne n ° {0}: Un document de paiement est requis pour effectuer la transaction., +Row #{0}: Quantity for Item {1} cannot be zero.,Ligne n° {0}: La quantité de l'article {1} ne peut être nulle, Row #{0}: Serial No {1} does not belong to Batch {2},Ligne # {0}: le numéro de série {1} n'appartient pas au lot {2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,Ligne # {0}: la date de fin du service ne peut pas être antérieure à la date de validation de la facture, Row #{0}: Service Start Date cannot be greater than Service End Date,Ligne # {0}: la date de début du service ne peut pas être supérieure à la date de fin du service, diff --git a/erpnext/translations/gu.csv b/erpnext/translations/gu.csv index 604ec411c452..c26adbd89d55 100644 --- a/erpnext/translations/gu.csv +++ b/erpnext/translations/gu.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,પંક્તિ {0}: કૃપા કરીને વેચાણ વેરા અને શુલ્કમાં કર મુક્તિ કારણને સેટ કરો, Row {0}: Please set the Mode of Payment in Payment Schedule,પંક્તિ {0}: કૃપા કરીને ચુકવણી સૂચિમાં ચુકવણીનું મોડ સેટ કરો, Row {0}: Please set the correct code on Mode of Payment {1},પંક્તિ {0}: કૃપા કરીને ચુકવણીના મોડ પર સાચો કોડ સેટ કરો {1}, -Row {0}: Qty is mandatory,રો {0}: Qty ફરજિયાત છે, Row {0}: Quality Inspection rejected for item {1},પંક્તિ {0}: આઇટમ માટે જાત નિરીક્ષણ નકારેલ {1}, Row {0}: UOM Conversion Factor is mandatory,રો {0}: UOM રૂપાંતર ફેક્ટર ફરજિયાત છે, Row {0}: select the workstation against the operation {1},રો {0}: ઓપરેશન સામે વર્કસ્ટેશન પસંદ કરો {1}, @@ -3461,7 +3460,6 @@ Issue Type.,ઇશ્યુનો પ્રકાર., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","એવું લાગે છે કે સર્વરની પટ્ટી ગોઠવણી સાથે સમસ્યા છે. નિષ્ફળતાના કિસ્સામાં, રકમ તમારા એકાઉન્ટમાં પરત કરાશે.", Item Reported,આઇટમની જાણ થઈ, Item listing removed,આઇટમ સૂચિ દૂર કરી, -Item quantity can not be zero,આઇટમનો જથ્થો શૂન્ય હોઈ શકતો નથી, Item taxes updated,આઇટમ ટેક્સ અપડેટ કરાયો, Item {0}: {1} qty produced. ,આઇટમ {0}: produced 1} ક્યુટી ઉત્પન્ન., Joining Date can not be greater than Leaving Date,જોડાવાની તારીખ એ તારીખ છોડવાની તારીખ કરતા મોટી ન હોઇ શકે, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},પંક્તિ # {0}: કિંમત કેન્દ્ર {1 company કંપની to 2 belong નું નથી, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,પંક્તિ # {0}: Orderપરેશન {1 ty વર્ક ઓર્ડર finished 3 finished માં તૈયાર માલના {2} ક્યુટી માટે પૂર્ણ થયું નથી. કૃપા કરીને જોબ કાર્ડ via 4 via દ્વારા ઓપરેશનની સ્થિતિને અપડેટ કરો., Row #{0}: Payment document is required to complete the transaction,પંક્તિ # {0}: ટ્રાંઝેક્શન પૂર્ણ કરવા માટે ચુકવણી દસ્તાવેજ આવશ્યક છે, +Row #{0}: Quantity for Item {1} cannot be zero.,પંક્તિ # {0}: આઇટમનો {1} જથ્થો શૂન્ય હોઈ શકતો નથી, Row #{0}: Serial No {1} does not belong to Batch {2},પંક્તિ # {0}: સીરીયલ નંબર {1 B બેચ belong 2 to સાથે સંબંધિત નથી, Row #{0}: Service End Date cannot be before Invoice Posting Date,પંક્તિ # {0}: સેવાની સમાપ્તિ તારીખ ઇન્વoiceઇસ પોસ્ટિંગ તારીખ પહેલાંની હોઈ શકતી નથી, Row #{0}: Service Start Date cannot be greater than Service End Date,"પંક્તિ # {0}: સેવા પ્રારંભ તારીખ, સેવાની સમાપ્તિ તારીખ કરતા મોટી ન હોઇ શકે", diff --git a/erpnext/translations/he.csv b/erpnext/translations/he.csv index 5407578f2b8e..695fa3780141 100644 --- a/erpnext/translations/he.csv +++ b/erpnext/translations/he.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,שורה {0}: הגדר את סיבת הפטור ממס במסים ובחיובים, Row {0}: Please set the Mode of Payment in Payment Schedule,שורה {0}: הגדר את אופן התשלום בלוח הזמנים לתשלום, Row {0}: Please set the correct code on Mode of Payment {1},שורה {0}: הגדר את הקוד הנכון במצב התשלום {1}, -Row {0}: Qty is mandatory,שורת {0}: הכמות היא חובה, Row {0}: Quality Inspection rejected for item {1},שורה {0}: בדיקת האיכות נדחתה לפריט {1}, Row {0}: UOM Conversion Factor is mandatory,שורת {0}: יחידת מידת המרת פקטור הוא חובה, Row {0}: select the workstation against the operation {1},שורה {0}: בחר את תחנת העבודה כנגד הפעולה {1}, @@ -3461,7 +3460,6 @@ Issue Type.,סוג הבעיה., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","נראה שיש בעיה בתצורת הפס של השרת. במקרה של כישלון, הסכום יוחזר לחשבונך.", Item Reported,פריט דווח, Item listing removed,רישום הפריט הוסר, -Item quantity can not be zero,כמות הפריט לא יכולה להיות אפס, Item taxes updated,מיסי הפריט עודכנו, Item {0}: {1} qty produced. ,פריט {0}: {1} כמות המיוצרת., Joining Date can not be greater than Leaving Date,תאריך ההצטרפות לא יכול להיות גדול מתאריך העזיבה, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},שורה מספר {0}: מרכז העלות {1} אינו שייך לחברה {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,שורה מספר {0}: פעולה {1} לא הושלמה עבור {2} כמות מוצרים מוגמרים בהזמנת עבודה {3}. אנא עדכן את מצב הפעולה באמצעות כרטיס עבודה {4}., Row #{0}: Payment document is required to complete the transaction,שורה מספר {0}: נדרש מסמך תשלום להשלמת העסקה, +Row #{0}: Quantity for Item {1} cannot be zero.,שורה מספר {0}: כמות הפריט {1} לא יכולה להיות אפס, Row #{0}: Serial No {1} does not belong to Batch {2},שורה מספר {0}: מספר סידורי {1} אינו שייך לאצווה {2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,שורה מספר {0}: תאריך סיום השירות לא יכול להיות לפני תאריך פרסום החשבונית, Row #{0}: Service Start Date cannot be greater than Service End Date,שורה מס '{0}: תאריך התחלת השירות לא יכול להיות גדול מתאריך סיום השירות, diff --git a/erpnext/translations/hi.csv b/erpnext/translations/hi.csv index 00532df0f1ce..5d6dab354549 100644 --- a/erpnext/translations/hi.csv +++ b/erpnext/translations/hi.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,पंक्ति {0}: कृपया बिक्री कर और शुल्क में कर छूट का कारण निर्धारित करें, Row {0}: Please set the Mode of Payment in Payment Schedule,पंक्ति {0}: कृपया भुगतान अनुसूची में भुगतान का तरीका निर्धारित करें, Row {0}: Please set the correct code on Mode of Payment {1},पंक्ति {0}: कृपया भुगतान विधि पर सही कोड सेट करें {1}, -Row {0}: Qty is mandatory,पंक्ति {0}: मात्रा अनिवार्य है, Row {0}: Quality Inspection rejected for item {1},पंक्ति {0}: गुणवत्ता निरीक्षण आइटम {1} के लिए अस्वीकार कर दिया गया, Row {0}: UOM Conversion Factor is mandatory,पंक्ति {0}: UoM रूपांतरण कारक है अनिवार्य है, Row {0}: select the workstation against the operation {1},पंक्ति {0}: ऑपरेशन के खिलाफ वर्कस्टेशन का चयन करें {1}, @@ -3461,7 +3460,6 @@ Issue Type.,समस्या का प्रकार।, "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","ऐसा लगता है कि सर्वर की पट्टी विन्यास के साथ कोई समस्या है। विफलता के मामले में, राशि आपके खाते में वापस कर दी जाएगी।", Item Reported,आइटम रिपोर्ट की गई, Item listing removed,आइटम सूची निकाली गई, -Item quantity can not be zero,आइटम की मात्रा शून्य नहीं हो सकती, Item taxes updated,आइटम कर अद्यतन किए गए, Item {0}: {1} qty produced. ,आइटम {0}: {1} मात्रा का उत्पादन किया।, Joining Date can not be greater than Leaving Date,ज्वाइनिंग डेट लीविंग डेट से बड़ी नहीं हो सकती, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},पंक्ति # {0}: लागत केंद्र {1} कंपनी {2} से संबंधित नहीं है, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,पंक्ति # {0}: ऑपरेशन {1} कार्य क्रम {3} में तैयार माल की मात्रा {2} के लिए पूरा नहीं हुआ है। कृपया जॉब कार्ड {4} के माध्यम से संचालन की स्थिति को अपडेट करें।, Row #{0}: Payment document is required to complete the transaction,पंक्ति # {0}: लेन-देन को पूरा करने के लिए भुगतान दस्तावेज़ आवश्यक है, +Row #{0}: Quantity for Item {1} cannot be zero.,पंक्ति # {0}: आइटम {1} की मात्रा शून्य नहीं हो सकती, Row #{0}: Serial No {1} does not belong to Batch {2},पंक्ति # {0}: सीरियल नंबर {1} बैच {2} से संबंधित नहीं है, Row #{0}: Service End Date cannot be before Invoice Posting Date,पंक्ति # {0}: सेवा समाप्ति तिथि चालान पोस्टिंग तिथि से पहले नहीं हो सकती, Row #{0}: Service Start Date cannot be greater than Service End Date,पंक्ति # {0}: सेवा प्रारंभ तिथि सेवा समाप्ति तिथि से अधिक नहीं हो सकती, diff --git a/erpnext/translations/hr.csv b/erpnext/translations/hr.csv index 3cc9ef3be2af..ddc5b593c6ca 100644 --- a/erpnext/translations/hr.csv +++ b/erpnext/translations/hr.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,Redak {0}: Postavite razlog oslobađanja od poreza u porezima i naknadama na promet, Row {0}: Please set the Mode of Payment in Payment Schedule,Redak {0}: Postavite Način plaćanja u Raspored plaćanja, Row {0}: Please set the correct code on Mode of Payment {1},Redak {0}: postavite ispravan kôd na način plaćanja {1}, -Row {0}: Qty is mandatory,Red {0}: Količina je obvezno, Row {0}: Quality Inspection rejected for item {1},Redak {0}: Odbačena inspekcija kvalitete za stavku {1}, Row {0}: UOM Conversion Factor is mandatory,Red {0}: UOM pretvorbe faktor je obavezno, Row {0}: select the workstation against the operation {1},Red {0}: odaberite radnu stanicu protiv operacije {1}, @@ -3461,7 +3460,6 @@ Issue Type.,Vrsta izdanja, "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","Čini se da postoji problem s konfiguracijom trake poslužitelja. U slučaju neuspjeha, iznos će biti vraćen na vaš račun.", Item Reported,Stavka prijavljena, Item listing removed,Popis predmeta uklonjen je, -Item quantity can not be zero,Količina predmeta ne može biti jednaka nuli, Item taxes updated,Ažurirani su porezi na stavke, Item {0}: {1} qty produced. ,Stavka {0}: {1} Količina proizvedena., Joining Date can not be greater than Leaving Date,Datum pridruživanja ne može biti veći od Datum napuštanja, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},Redak # {0}: Troškovno mjesto {1} ne pripada tvrtki {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Redak # {0}: Operacija {1} nije dovršena za {2} količinu gotovih proizvoda u radnom nalogu {3}. Ažurirajte status rada putem Job Card {4}., Row #{0}: Payment document is required to complete the transaction,Redak # {0}: Dokument za plaćanje potreban je za dovršavanje transakcije, +Row #{0}: Quantity for Item {1} cannot be zero.,Redak #{0}: Količina predmeta {1} ne može biti jednaka nuli., Row #{0}: Serial No {1} does not belong to Batch {2},Redak br. {0}: Serijski br. {1} ne pripada grupi {2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,Redak broj {0}: datum završetka usluge ne može biti prije datuma knjiženja fakture, Row #{0}: Service Start Date cannot be greater than Service End Date,Redak broj {0}: Datum početka usluge ne može biti veći od datuma završetka usluge, diff --git a/erpnext/translations/hu.csv b/erpnext/translations/hu.csv index 42175bbe34b5..a793937e6272 100644 --- a/erpnext/translations/hu.csv +++ b/erpnext/translations/hu.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,"{0} sor: Kérjük, állítsa az adómentesség okához a forgalmi adókat és díjakat", Row {0}: Please set the Mode of Payment in Payment Schedule,"{0} sor: Kérjük, állítsa be a fizetési módot a fizetési ütemezésben", Row {0}: Please set the correct code on Mode of Payment {1},"{0} sor: Kérjük, állítsa be a helyes kódot a Fizetési módban {1}", -Row {0}: Qty is mandatory,Sor {0}: Menny. kötelező, Row {0}: Quality Inspection rejected for item {1},{0} sor: A (z) {1} tételnél a minőségellenőrzést elutasították, Row {0}: UOM Conversion Factor is mandatory,Sor {0}: UOM átváltási arányra is kötelező, Row {0}: select the workstation against the operation {1},{0} sor: válassza ki a munkaállomást a művelet ellen {1}, @@ -3461,7 +3460,6 @@ Issue Type.,Probléma típus., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","Úgy tűnik, hogy probléma van a kiszolgáló sávszélesség konfigurációjával. Hiba esetén az összeg visszafizetésre kerül a számlájára.", Item Reported,Jelentés tárgya, Item listing removed,Az elemlista eltávolítva, -Item quantity can not be zero,A cikk mennyisége nem lehet nulla, Item taxes updated,A cikk adóit frissítettük, Item {0}: {1} qty produced. ,{0} tétel: {1} mennyiség előállítva., Joining Date can not be greater than Leaving Date,"A csatlakozási dátum nem lehet nagyobb, mint a távozási dátum", @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},{0} sor: A (z) {1} költségközpont nem tartozik a (z) {2} vállalathoz, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,"{0} sor: A (z) {1} művelet a (z) {3} munkarenden lévő {2} mennyiségű készterméknél nem fejeződött be. Kérjük, frissítse a működési állapotot a (z) {4} Job Card segítségével.", Row #{0}: Payment document is required to complete the transaction,{0} sor: A tranzakció teljesítéséhez fizetési dokumentum szükséges, +Row #{0}: Quantity for Item {1} cannot be zero.,{0} sor: A cikk {1} mennyisége nem lehet nulla., Row #{0}: Serial No {1} does not belong to Batch {2},{0} sor: A (z) {1} sorszám nem tartozik a {2} tételhez, Row #{0}: Service End Date cannot be before Invoice Posting Date,{0} sor: A szolgáltatás befejezési dátuma nem lehet a számla feladásának dátuma előtt, Row #{0}: Service Start Date cannot be greater than Service End Date,"{0} sor: A szolgáltatás kezdési dátuma nem lehet nagyobb, mint a szolgáltatás befejezési dátuma", diff --git a/erpnext/translations/id.csv b/erpnext/translations/id.csv index d69eef389da5..14a13f09d585 100644 --- a/erpnext/translations/id.csv +++ b/erpnext/translations/id.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,Baris {0}: Harap atur di Alasan Pembebasan Pajak dalam Pajak Penjualan dan Biaya, Row {0}: Please set the Mode of Payment in Payment Schedule,Baris {0}: Silakan tetapkan Mode Pembayaran dalam Jadwal Pembayaran, Row {0}: Please set the correct code on Mode of Payment {1},Baris {0}: Silakan tetapkan kode yang benar pada Mode Pembayaran {1}, -Row {0}: Qty is mandatory,Row {0}: Qty adalah wajib, Row {0}: Quality Inspection rejected for item {1},Baris {0}: Pemeriksaan Kualitas ditolak untuk barang {1}, Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM Faktor Konversi adalah wajib, Row {0}: select the workstation against the operation {1},Baris {0}: pilih workstation terhadap operasi {1}, @@ -3461,7 +3460,6 @@ Issue Type.,Jenis Masalah., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","Tampaknya ada masalah dengan konfigurasi strip server. Jika terjadi kegagalan, jumlah itu akan dikembalikan ke akun Anda.", Item Reported,Barang Dilaporkan, Item listing removed,Daftar item dihapus, -Item quantity can not be zero,Kuantitas barang tidak boleh nol, Item taxes updated,Pajak barang diperbarui, Item {0}: {1} qty produced. ,Item {0}: {1} jumlah diproduksi., Joining Date can not be greater than Leaving Date,Tanggal Bergabung tidak boleh lebih dari Tanggal Meninggalkan, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},Baris # {0}: Pusat Biaya {1} bukan milik perusahaan {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Baris # {0}: Operasi {1} tidak selesai untuk {2} jumlah barang jadi dalam Perintah Kerja {3}. Harap perbarui status operasi melalui Kartu Pekerjaan {4}., Row #{0}: Payment document is required to complete the transaction,Baris # {0}: Dokumen pembayaran diperlukan untuk menyelesaikan transaksi, +Row #{0}: Quantity for Item {1} cannot be zero.,Baris # {0}: Kuantitas barang {1} tidak boleh nol., Row #{0}: Serial No {1} does not belong to Batch {2},Baris # {0}: Nomor Seri {1} bukan milik Kelompok {2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,Baris # {0}: Tanggal Berakhir Layanan tidak boleh sebelum Tanggal Posting Faktur, Row #{0}: Service Start Date cannot be greater than Service End Date,Baris # {0}: Tanggal Mulai Layanan tidak boleh lebih besar dari Tanggal Akhir Layanan, diff --git a/erpnext/translations/is.csv b/erpnext/translations/is.csv index 1acefbb3eec3..95920151f898 100644 --- a/erpnext/translations/is.csv +++ b/erpnext/translations/is.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,Röð {0}: Vinsamlegast stillið á skattfrelsisástæða í söluskatti og gjöldum, Row {0}: Please set the Mode of Payment in Payment Schedule,Röð {0}: Vinsamlegast stilltu greiðslumáta í greiðsluáætlun, Row {0}: Please set the correct code on Mode of Payment {1},Röð {0}: Vinsamlegast stilltu réttan kóða á greiðslumáta {1}, -Row {0}: Qty is mandatory,Row {0}: Magn er nauðsynlegur, Row {0}: Quality Inspection rejected for item {1},Röð {0}: Gæðaeftirlit hafnað fyrir hlut {1}, Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM viðskipta Factor er nauðsynlegur, Row {0}: select the workstation against the operation {1},Rú {0}: veldu vinnustöðina gegn aðgerðinni {1}, @@ -3461,7 +3460,6 @@ Issue Type.,Útgáfutegund., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.",Það virðist sem það er vandamál með rétta stillingu miðlarans. Ef bilun er fyrir hendi verður fjárhæðin endurgreitt á reikninginn þinn., Item Reported,Liður tilkynntur, Item listing removed,Atriðaskráning fjarlægð, -Item quantity can not be zero,Magn vöru getur ekki verið núll, Item taxes updated,Atvinnuskattar uppfærðir, Item {0}: {1} qty produced. ,Liður {0}: {1} fjöldi framleiddur., Joining Date can not be greater than Leaving Date,Tengingardagur má ekki vera stærri en dagsetningardagur, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},Röð # {0}: Kostnaðarmiðstöð {1} tilheyrir ekki fyrirtæki {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Röð # {0}: Aðgerð {1} er ekki lokið fyrir {2} magn fullunnar vöru í vinnuskipan {3}. Vinsamlegast uppfærðu stöðu starfsins með Job Card {4}., Row #{0}: Payment document is required to complete the transaction,Lína # {0}: Greiðslu skjal er nauðsynlegt til að ljúka viðskiptunum, +Row #{0}: Quantity for Item {1} cannot be zero.,Röð #{0}: Magn vöru {1} getur ekki verið núll., Row #{0}: Serial No {1} does not belong to Batch {2},Röð # {0}: Raðnúmer {1} tilheyrir ekki hópi {2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,Lína # {0}: Lokadagsetning þjónustu má ekki vera fyrir dagsetningu reiknings, Row #{0}: Service Start Date cannot be greater than Service End Date,Röð # {0}: Upphafsdagsetning þjónustu má ekki vera meiri en lokadagur þjónustu, diff --git a/erpnext/translations/it.csv b/erpnext/translations/it.csv index e6e64254bba5..50f07bb101fa 100644 --- a/erpnext/translations/it.csv +++ b/erpnext/translations/it.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,Riga {0}: impostare il motivo dell'esenzione fiscale in Imposte e addebiti, Row {0}: Please set the Mode of Payment in Payment Schedule,Riga {0}: imposta la Modalità di pagamento in Pianificazione pagamenti, Row {0}: Please set the correct code on Mode of Payment {1},Riga {0}: imposta il codice corretto su Modalità di pagamento {1}, -Row {0}: Qty is mandatory,Riga {0}: Quantità è obbligatorio, Row {0}: Quality Inspection rejected for item {1},Riga {0}: Ispezione di qualità rifiutata per l'articolo {1}, Row {0}: UOM Conversion Factor is mandatory,Riga {0}: UOM fattore di conversione è obbligatoria, Row {0}: select the workstation against the operation {1},Riga {0}: seleziona la workstation rispetto all'operazione {1}, @@ -3461,7 +3460,6 @@ Issue Type.,Tipo di problema., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","Sembra che ci sia un problema con la configurazione delle strisce del server. In caso di fallimento, l'importo verrà rimborsato sul tuo conto.", Item Reported,Articolo segnalato, Item listing removed,Elenco degli articoli rimosso, -Item quantity can not be zero,La quantità dell'articolo non può essere zero, Item taxes updated,Imposte sugli articoli aggiornate, Item {0}: {1} qty produced. ,Articolo {0}: {1} qtà prodotta., Joining Date can not be greater than Leaving Date,La data di iscrizione non può essere superiore alla data di fine, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},Riga # {0}: Cost Center {1} non appartiene alla società {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Riga n. {0}: l'operazione {1} non è stata completata per {2} quantità di prodotti finiti nell'ordine di lavoro {3}. Aggiorna lo stato dell'operazione tramite la Job Card {4}., Row #{0}: Payment document is required to complete the transaction,Riga # {0}: per completare la transazione è richiesto un documento di pagamento, +Row #{0}: Quantity for Item {1} cannot be zero.,Riga # {0}: La quantità dell'articolo {1} non può essere zero., Row #{0}: Serial No {1} does not belong to Batch {2},Riga # {0}: il numero di serie {1} non appartiene a Batch {2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,Riga n. {0}: la data di fine del servizio non può essere precedente alla data di registrazione della fattura, Row #{0}: Service Start Date cannot be greater than Service End Date,Riga # {0}: la data di inizio del servizio non può essere superiore alla data di fine del servizio, diff --git a/erpnext/translations/ja.csv b/erpnext/translations/ja.csv index dd5820ae77d4..468866fb6f6f 100644 --- a/erpnext/translations/ja.csv +++ b/erpnext/translations/ja.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,行{0}:売上税および消費税の免税理由で設定してください, Row {0}: Please set the Mode of Payment in Payment Schedule,行{0}:支払いスケジュールに支払い方法を設定してください, Row {0}: Please set the correct code on Mode of Payment {1},行{0}:支払い方法{1}に正しいコードを設定してください, -Row {0}: Qty is mandatory,行{0}:数量は必須です, Row {0}: Quality Inspection rejected for item {1},行{0}:品質検査が品目{1}に対して拒否されました, Row {0}: UOM Conversion Factor is mandatory,行{0}:数量単位(UOM)換算係数は必須です, Row {0}: select the workstation against the operation {1},行{0}:操作{1}に対するワークステーションを選択します。, @@ -3461,7 +3460,6 @@ Issue Type.,問題の種類。, "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.",サーバーのストライプ構成に問題があるようです。不具合が発生した場合、その金額はお客様のアカウントに払い戻されます。, Item Reported,報告されたアイテム, Item listing removed,商品リストを削除しました, -Item quantity can not be zero,品目数量はゼロにできません, Item taxes updated,アイテム税が更新されました, Item {0}: {1} qty produced. ,アイテム{0}:生産された{1}個。, Joining Date can not be greater than Leaving Date,参加日は出発日よりも大きくすることはできません, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},行#{0}:コストセンター{1}は会社{2}に属していません, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,行#{0}:作業オーダー{3}の{2}個の完成品に対して、操作{1}が完了していません。ジョブカード{4}を介して操作状況を更新してください。, Row #{0}: Payment document is required to complete the transaction,行#{0}:支払い文書は取引を完了するために必要です, +Row #{0}: Quantity for Item {1} cannot be zero.,行 # {0}: 品目 {1} の数量はゼロにできません, Row #{0}: Serial No {1} does not belong to Batch {2},行#{0}:シリアル番号{1}はバッチ{2}に属していません, Row #{0}: Service End Date cannot be before Invoice Posting Date,行#{0}:サービス終了日は請求書転記日より前にはできません, Row #{0}: Service Start Date cannot be greater than Service End Date,行#{0}:サービス開始日はサービス終了日より後にすることはできません, diff --git a/erpnext/translations/km.csv b/erpnext/translations/km.csv index 2740d7fc8a75..dc97fbf15d52 100644 --- a/erpnext/translations/km.csv +++ b/erpnext/translations/km.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,ជួរដេក {0}៖ សូមកំណត់នៅហេតុផលលើកលែងពន្ធក្នុងពន្ធលក់និងការគិតថ្លៃ។, Row {0}: Please set the Mode of Payment in Payment Schedule,ជួរដេក {0}៖ សូមកំណត់របៀបបង់ប្រាក់ក្នុងកាលវិភាគទូទាត់។, Row {0}: Please set the correct code on Mode of Payment {1},ជួរដេក {0}៖ សូមកំណត់លេខកូដត្រឹមត្រូវលើរបៀបបង់ប្រាក់ {1}, -Row {0}: Qty is mandatory,ជួរដេក {0}: Qty គឺជាការចាំបាច់, Row {0}: Quality Inspection rejected for item {1},ជួរដេក {0}: ការត្រួតពិនិត្យគុណភាពត្រូវបានច្រានចោលចំពោះធាតុ {1}, Row {0}: UOM Conversion Factor is mandatory,ជួរដេក {0}: UOM ការប្រែចិត្តជឿកត្តាគឺជាការចាំបាច់, Row {0}: select the workstation against the operation {1},ជួរដេក {0}: ជ្រើសកន្លែងធ្វើការប្រឆាំងនឹងប្រតិបត្តិការ {1}, @@ -3461,7 +3460,6 @@ Issue Type.,ប្រភេទបញ្ហា។, "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.",វាហាក់បីដូចជាមានបញ្ហាជាមួយការកំណត់រចនាសម្ព័ន្ធឆ្នូតរបស់ម៉ាស៊ីនមេ។ ក្នុងករណីមានការខកខានចំនួនទឹកប្រាក់នឹងត្រូវបានសងប្រាក់វិញទៅក្នុងគណនីរបស់អ្នក។, Item Reported,បានរាយការណ៍អំពីធាតុ។, Item listing removed,បានលុបបញ្ជីធាតុ, -Item quantity can not be zero,បរិមាណធាតុមិនអាចជាសូន្យ។, Item taxes updated,បានធ្វើបច្ចុប្បន្នភាពធាតុពន្ធ, Item {0}: {1} qty produced. ,ធាតុ {0}: {1} qty ផលិត។, Joining Date can not be greater than Leaving Date,កាលបរិច្ឆេទចូលរួមមិនអាចធំជាងកាលបរិច្ឆេទចាកចេញឡើយ, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},ជួរទី # {០}៖ មជ្ឈមណ្ឌលតម្លៃ {១} មិនមែនជារបស់ក្រុមហ៊ុន {២}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,ជួរទី # {០}៖ ប្រតិបត្តិការ {១} មិនត្រូវបានបញ្ចប់សម្រាប់ {២} នៃទំនិញបញ្ចប់ក្នុងលំដាប់ការងារ {៣} ទេ។ សូមធ្វើបច្ចុប្បន្នភាពស្ថានភាពប្រតិបត្តិការតាមរយៈកាតការងារ {៤} ។, Row #{0}: Payment document is required to complete the transaction,ជួរទី # {០}៖ ឯកសារទូទាត់ត្រូវបានទាមទារដើម្បីបញ្ចប់ប្រតិបត្តិការ, +Row #{0}: Quantity for Item {1} cannot be zero.,ជួរទី # {០}៖ បរិមាណធាតុ {1} មិនអាចជាសូន្យ។, Row #{0}: Serial No {1} does not belong to Batch {2},ជួរទី # {០}៖ សៀរៀលលេខ {១} មិនមែនជាកម្មសិទ្ធិរបស់បាច់ឡើយ {២}, Row #{0}: Service End Date cannot be before Invoice Posting Date,ជួរទី # {០}៖ កាលបរិច្ឆេទបញ្ចប់សេវាកម្មមិនអាចមុនកាលបរិច្ឆេទប្រកាសវិក្កយបត្រ, Row #{0}: Service Start Date cannot be greater than Service End Date,ជួរដេក # {0}៖ កាលបរិច្ឆេទចាប់ផ្តើមសេវាកម្មមិនអាចធំជាងកាលបរិច្ឆេទបញ្ចប់សេវាកម្មឡើយ, diff --git a/erpnext/translations/kn.csv b/erpnext/translations/kn.csv index 8b271682ebd6..21180365f503 100644 --- a/erpnext/translations/kn.csv +++ b/erpnext/translations/kn.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,ಸಾಲು {0}: ದಯವಿಟ್ಟು ಮಾರಾಟ ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳಲ್ಲಿ ತೆರಿಗೆ ವಿನಾಯಿತಿ ಕಾರಣವನ್ನು ಹೊಂದಿಸಿ, Row {0}: Please set the Mode of Payment in Payment Schedule,ಸಾಲು {0}: ದಯವಿಟ್ಟು ಪಾವತಿ ವೇಳಾಪಟ್ಟಿಯಲ್ಲಿ ಪಾವತಿ ಮೋಡ್ ಅನ್ನು ಹೊಂದಿಸಿ, Row {0}: Please set the correct code on Mode of Payment {1},ಸಾಲು {0}: ದಯವಿಟ್ಟು ಸರಿಯಾದ ಕೋಡ್ ಅನ್ನು ಪಾವತಿ ಮೋಡ್‌ನಲ್ಲಿ ಹೊಂದಿಸಿ {1}, -Row {0}: Qty is mandatory,ರೋ {0}: ಪ್ರಮಾಣ ಕಡ್ಡಾಯ, Row {0}: Quality Inspection rejected for item {1},ಸಾಲು {0}: ಐಟಂಗೆ ಗುಣಮಟ್ಟ ಪರೀಕ್ಷೆ ತಿರಸ್ಕರಿಸಲಾಗಿದೆ {1}, Row {0}: UOM Conversion Factor is mandatory,ಸಾಲು {0}: ಮೈಸೂರು ವಿಶ್ವವಿದ್ಯಾನಿಲದ ಪರಿವರ್ತನಾ ಕಾರಕ ಕಡ್ಡಾಯ, Row {0}: select the workstation against the operation {1},ಸಾಲು {0}: ಕಾರ್ಯಾಚರಣೆ ವಿರುದ್ಧ ಕಾರ್ಯಕ್ಷೇತ್ರವನ್ನು ಆಯ್ಕೆಮಾಡಿ {1}, @@ -3461,7 +3460,6 @@ Issue Type.,ಸಂಚಿಕೆ ಪ್ರಕಾರ., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","ಸರ್ವರ್ನ ಸ್ಟ್ರೈಪ್ ಕಾನ್ಫಿಗರೇಶನ್ನಲ್ಲಿ ಸಮಸ್ಯೆ ಇದೆ ಎಂದು ತೋರುತ್ತದೆ. ವೈಫಲ್ಯದ ಸಂದರ್ಭದಲ್ಲಿ, ನಿಮ್ಮ ಖಾತೆಗೆ ಹಣವನ್ನು ಮರುಪಾವತಿಸಲಾಗುತ್ತದೆ.", Item Reported,ಐಟಂ ವರದಿ ಮಾಡಲಾಗಿದೆ, Item listing removed,ಐಟಂ ಪಟ್ಟಿಯನ್ನು ತೆಗೆದುಹಾಕಲಾಗಿದೆ, -Item quantity can not be zero,ಐಟಂ ಪ್ರಮಾಣ ಶೂನ್ಯವಾಗಿರಬಾರದು, Item taxes updated,ಐಟಂ ತೆರಿಗೆಗಳನ್ನು ನವೀಕರಿಸಲಾಗಿದೆ, Item {0}: {1} qty produced. ,ಐಟಂ {0}: {1} qty ಉತ್ಪಾದಿಸಲಾಗಿದೆ., Joining Date can not be greater than Leaving Date,ಸೇರುವ ದಿನಾಂಕವು ಬಿಡುವ ದಿನಾಂಕಕ್ಕಿಂತ ಹೆಚ್ಚಿರಬಾರದು, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},ಸಾಲು # {0}: ವೆಚ್ಚ ಕೇಂದ್ರ {1 company ಕಂಪನಿಗೆ ಸೇರಿಲ್ಲ {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,ಸಾಲು # {0}: ಕೆಲಸದ ಆದೇಶ {3 in ನಲ್ಲಿ finished 2} ಕ್ವಿಟಿ ಮುಗಿದ ಸರಕುಗಳಿಗೆ ಕಾರ್ಯಾಚರಣೆ {1 complete ಪೂರ್ಣಗೊಂಡಿಲ್ಲ. ದಯವಿಟ್ಟು ಜಾಬ್ ಕಾರ್ಡ್ {4 via ಮೂಲಕ ಕಾರ್ಯಾಚರಣೆಯ ಸ್ಥಿತಿಯನ್ನು ನವೀಕರಿಸಿ., Row #{0}: Payment document is required to complete the transaction,ಸಾಲು # {0}: ವಹಿವಾಟನ್ನು ಪೂರ್ಣಗೊಳಿಸಲು ಪಾವತಿ ಡಾಕ್ಯುಮೆಂಟ್ ಅಗತ್ಯವಿದೆ, +Row #{0}: Quantity for Item {1} cannot be zero.,ಸಾಲು # {0}: ಐಟಂ {1} ಪ್ರಮಾಣ ಶೂನ್ಯವಾಗಿರಬಾರದು, Row #{0}: Serial No {1} does not belong to Batch {2},ಸಾಲು # {0}: ಸರಣಿ ಸಂಖ್ಯೆ {1 B ಬ್ಯಾಚ್ {2 to ಗೆ ಸೇರಿಲ್ಲ, Row #{0}: Service End Date cannot be before Invoice Posting Date,ಸಾಲು # {0}: ಸರಕುಪಟ್ಟಿ ಪೋಸ್ಟ್ ಮಾಡುವ ದಿನಾಂಕಕ್ಕಿಂತ ಮೊದಲು ಸೇವೆಯ ಅಂತಿಮ ದಿನಾಂಕ ಇರಬಾರದು, Row #{0}: Service Start Date cannot be greater than Service End Date,ಸಾಲು # {0}: ಸೇವೆಯ ಪ್ರಾರಂಭ ದಿನಾಂಕವು ಸೇವಾ ಅಂತಿಮ ದಿನಾಂಕಕ್ಕಿಂತ ಹೆಚ್ಚಿರಬಾರದು, diff --git a/erpnext/translations/ko.csv b/erpnext/translations/ko.csv index edd3f2731fb5..4e10a6c21d45 100644 --- a/erpnext/translations/ko.csv +++ b/erpnext/translations/ko.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,행 {0} : 세금 면제 사유로 판매 세 및 수수료로 설정하십시오., Row {0}: Please set the Mode of Payment in Payment Schedule,행 {0} : 지급 일정에 지급 방식을 설정하십시오., Row {0}: Please set the correct code on Mode of Payment {1},행 {0} : 결제 방법 {1}에 올바른 코드를 설정하십시오., -Row {0}: Qty is mandatory,행 {0} : 수량은 필수입니다, Row {0}: Quality Inspection rejected for item {1},행 {0} : 항목 {1}에 대해 품질 검사가 거부되었습니다., Row {0}: UOM Conversion Factor is mandatory,행 {0} : UOM 변환 계수는 필수입니다, Row {0}: select the workstation against the operation {1},행 {0} : 작업 {1}에 대한 워크 스테이션을 선택하십시오., @@ -3461,7 +3460,6 @@ Issue Type.,문제 유형., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.",서버의 스트라이프 구성에 문제가있는 것으로 보입니다. 실패한 경우 귀하의 계좌로 금액이 환급됩니다., Item Reported,보고 된 품목, Item listing removed,상품 목록이 삭제되었습니다., -Item quantity can not be zero,항목 수량은 0 일 수 없습니다., Item taxes updated,상품 세금 업데이트, Item {0}: {1} qty produced. ,항목 {0} : {1} 수량이 생산되었습니다., Joining Date can not be greater than Leaving Date,가입 날짜는 떠나는 날짜보다 클 수 없습니다, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},행 # {0} : 코스트 센터 {1}이 (가) 회사 {2}에 속하지 않습니다, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,행 # {0} : {2} 작업 주문 {3}의 완제품 수량에 대해 {1} 작업이 완료되지 않았습니다. 작업 카드 {4}를 통해 작업 상태를 업데이트하십시오., Row #{0}: Payment document is required to complete the transaction,행 번호 {0} : 거래를 완료하려면 지불 문서가 필요합니다., +Row #{0}: Quantity for Item {1} cannot be zero.,행 # {0}: 항목 {1}의 수량은 0일 수 없습니다., Row #{0}: Serial No {1} does not belong to Batch {2},행 # {0} : 일련 번호 {1}이 (가) 배치 {2}에 속하지 않습니다, Row #{0}: Service End Date cannot be before Invoice Posting Date,행 # {0} : 서비스 종료 날짜는 송장 전기 일 이전 일 수 없습니다, Row #{0}: Service Start Date cannot be greater than Service End Date,행 # {0} : 서비스 시작 날짜는 서비스 종료 날짜보다 클 수 없습니다., diff --git a/erpnext/translations/ku.csv b/erpnext/translations/ku.csv index e18ce45132a4..8b7db2a74056 100644 --- a/erpnext/translations/ku.csv +++ b/erpnext/translations/ku.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,Row {0}: Ji kerema xwe Sedemek Tişta Qebûlkirina Bacê Li Bac û Firotên Firotanê, Row {0}: Please set the Mode of Payment in Payment Schedule,Row {0}: Ji kerema xwe Modela Pêvekirinê di Pêveka Pevçûnê de bicîh bikin, Row {0}: Please set the correct code on Mode of Payment {1},Row {0}: Ji kerema xwe koda rastê li ser Mode-ya Peymana {1}, -Row {0}: Qty is mandatory,Row {0}: Qty wêneke e, Row {0}: Quality Inspection rejected for item {1},Row {0}: Teftîşa Kalîteya ji bo hilbijêre {1}, Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM Factor Converter wêneke e, Row {0}: select the workstation against the operation {1},Row {0}: Li dijî xebatê {1}, @@ -3461,7 +3460,6 @@ Issue Type.,Cureya pirsgirêkê., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","Ew xuya dike ku pirsgirêkek bi sazkirina pergala serverê heye. Di rewşeke neyê de, hejmar dê dê hesabê we vegerîne.", Item Reported,Babetê Hatiye rapor kirin, Item listing removed,Lîsteya kêr hatî rakirin, -Item quantity can not be zero,Hêjmara tiştên ne dikare bibe zero, Item taxes updated,Bacê tiştên nûvekirî, Item {0}: {1} qty produced. ,Babetê {0}: {1} qty hilberandin., Joining Date can not be greater than Leaving Date,Tevlêbûna Dîrokê nikare ji Dîroka Veqetînê mezintir be, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},Row # {0}: Navenda Cost {1} nabe ku pargîdaniya} 2, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Row # {0}: Operasyon {1} ji bo {2} qty ya tiştên qedandî di Fermana Kar {3 not de temam nabe. Ji kerema xwe rewşa karûbarê bi Karta Kar Job 4 update nûve bikin., Row #{0}: Payment document is required to complete the transaction,Row # {0}: Ji bo temamkirina danûstendinê belgeya dayînê hewce ye, +Row #{0}: Quantity for Item {1} cannot be zero.,Rêz # {0}: Hêjmara tiştên {1} ne dikare bibe zero., Row #{0}: Serial No {1} does not belong to Batch {2},Row # {0}: Serial No {1} ne Batch {2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,Row # {0}: Dîroka Dawiya Xizmet nikare Berî Dîroka ingandina Tevneyê be, Row #{0}: Service Start Date cannot be greater than Service End Date,Row # {0}: Dîroka Destpêkirina Karûbarê ji Dîroka Dawiya Xizmet nikare mezin be, diff --git a/erpnext/translations/lo.csv b/erpnext/translations/lo.csv index 46acd229398c..4658f6d0ab45 100644 --- a/erpnext/translations/lo.csv +++ b/erpnext/translations/lo.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,ແຖວ {0}: ກະລຸນາ ກຳ ນົດຢູ່ໃນເຫດຜົນການຍົກເວັ້ນພາສີໃນການເກັບອາກອນແລະຄ່າບໍລິການ, Row {0}: Please set the Mode of Payment in Payment Schedule,ແຖວ {0}: ກະລຸນາ ກຳ ນົດຮູບແບບການຈ່າຍເງິນໃນຕາຕະລາງການຈ່າຍເງິນ, Row {0}: Please set the correct code on Mode of Payment {1},ແຖວ {0}: ກະລຸນາຕັ້ງລະຫັດທີ່ຖືກຕ້ອງໃນຮູບແບບການຈ່າຍເງິນ {1}, -Row {0}: Qty is mandatory,ຕິດຕໍ່ກັນ {0}: ຈໍານວນເປັນການບັງຄັບ, Row {0}: Quality Inspection rejected for item {1},ແຖວ {0}: ການກວດກາຄຸນນະພາບຖືກປະຕິເສດ ສຳ ລັບສິນຄ້າ {1}, Row {0}: UOM Conversion Factor is mandatory,ຕິດຕໍ່ກັນ {0}: UOM ປັດໄຈການແປງເປັນການບັງຄັບ, Row {0}: select the workstation against the operation {1},ແຖວ {0}: ເລືອກເອົາສະຖານທີ່ເຮັດວຽກຕໍ່ການດໍາເນີນງານ {1}, @@ -3461,7 +3460,6 @@ Issue Type.,ປະເພດອອກ., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","ມັນເບິ່ງຄືວ່າມີບັນຫາກັບການກໍານົດເສັ້ນດ່າງຂອງເຄື່ອງແມ່ຂ່າຍ. ໃນກໍລະນີຂອງຄວາມລົ້ມເຫຼວ, ຈໍານວນເງິນຈະໄດ້ຮັບການຊໍາລະກັບບັນຊີຂອງທ່ານ.", Item Reported,ລາຍງານລາຍການ, Item listing removed,ລາຍການຖືກລຶບອອກແລ້ວ, -Item quantity can not be zero,ປະລິມານສິນຄ້າບໍ່ສາມາດເປັນສູນ, Item taxes updated,ພາສີລາຍການຖືກປັບປຸງ, Item {0}: {1} qty produced. ,ລາຍການ {0}: {1} qty ຜະລິດ., Joining Date can not be greater than Leaving Date,ວັນເຂົ້າຮ່ວມບໍ່ສາມາດໃຫຍ່ກວ່າວັນທີ່ອອກຈາກວັນທີ, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},ແຖວ # {0}: ສູນຄ່າໃຊ້ຈ່າຍ {1} ບໍ່ຂຶ້ນກັບບໍລິສັດ {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,ແຖວ # {0}: ການ ດຳ ເນີນງານ {1} ບໍ່ໄດ້ ສຳ ເລັດ ສຳ ລັບ {2} ສິນຄ້າ ສຳ ເລັດຮູບ ຈຳ ນວນຫຼາຍໃນ ຄຳ ສັ່ງເຮັດວຽກ {3}. ກະລຸນາປັບປຸງສະຖານະການ ດຳ ເນີນງານຜ່ານບັດວຽກ {4}., Row #{0}: Payment document is required to complete the transaction,ແຖວ # {0}: ຕ້ອງມີເອກະສານຈ່າຍເງິນເພື່ອເຮັດການເຮັດທຸລະ ກຳ ສຳ ເລັດ, +Row #{0}: Quantity for Item {1} cannot be zero.,ແຖວ # {0}: ປະລິມານສິນຄ້າ {1} ບໍ່ສາມາດເປັນສູນ, Row #{0}: Serial No {1} does not belong to Batch {2},ແຖວ # {0}: Serial No {1} ບໍ່ຂຶ້ນກັບ Batch {2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,ແຖວ # {0}: ວັນສິ້ນສຸດການບໍລິການບໍ່ສາມາດກ່ອນວັນທີອອກໃບເກັບເງິນ, Row #{0}: Service Start Date cannot be greater than Service End Date,ແຖວ # {0}: ວັນທີເລີ່ມການບໍລິການບໍ່ສາມາດໃຫຍ່ກວ່າວັນສິ້ນສຸດການບໍລິການ, diff --git a/erpnext/translations/lt.csv b/erpnext/translations/lt.csv index 292c9d88e292..721be8d0645d 100644 --- a/erpnext/translations/lt.csv +++ b/erpnext/translations/lt.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,{0} eilutė: nustatykite pardavimo mokesčių ir rinkliavų atleidimo nuo mokesčių priežastį, Row {0}: Please set the Mode of Payment in Payment Schedule,{0} eilutė: nurodykite mokėjimo režimą mokėjimo grafike, Row {0}: Please set the correct code on Mode of Payment {1},{0} eilutė: nurodykite teisingą kodą Mokėjimo būde {1}, -Row {0}: Qty is mandatory,Eilutės {0}: Kiekis yra privalomi, Row {0}: Quality Inspection rejected for item {1},{0} eilutė: {1} elemento kokybės inspekcija atmesta, Row {0}: UOM Conversion Factor is mandatory,Eilutės {0}: UOM konversijos faktorius yra privalomas, Row {0}: select the workstation against the operation {1},Eilutė {0}: pasirinkite darbo vietą prieš operaciją {1}, @@ -3461,7 +3460,6 @@ Issue Type.,Išleidimo tipas., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","Atrodo, kad yra problema dėl serverio juostos konfigūracijos. Nepavykus, suma bus grąžinta į jūsų sąskaitą.", Item Reported,Elementas praneštas, Item listing removed,Elementų sąrašas pašalintas, -Item quantity can not be zero,Prekės kiekis negali būti lygus nuliui, Item taxes updated,Prekės mokesčiai atnaujinti, Item {0}: {1} qty produced. ,Prekė {0}: {1} kiekis pagamintas., Joining Date can not be greater than Leaving Date,Prisijungimo data negali būti didesnė nei išvykimo data, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},{0} eilutė: Išlaidų centras {1} nepriklauso įmonei {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,"Nr. {0}: {1} operacija {1} neužbaigta, kai užsakytas {3} kiekis paruoštų prekių. Atnaujinkite operacijos būseną naudodamiesi darbo kortele {4}.", Row #{0}: Payment document is required to complete the transaction,# 0 eilutė: mokėjimo operacijai atlikti reikalingas mokėjimo dokumentas, +Row #{0}: Quantity for Item {1} cannot be zero.,# {0} eilutė: Prekės {1} kiekis negali būti lygus nuliui., Row #{0}: Serial No {1} does not belong to Batch {2},{0} eilutė: serijos Nr. {1} nepriklauso {2} siuntai, Row #{0}: Service End Date cannot be before Invoice Posting Date,# 0 eilutė: Paslaugos pabaigos data negali būti anksčiau nei sąskaitos faktūros paskelbimo data, Row #{0}: Service Start Date cannot be greater than Service End Date,# 0 eilutė: Paslaugos pradžios data negali būti didesnė už paslaugos pabaigos datą, diff --git a/erpnext/translations/lv.csv b/erpnext/translations/lv.csv index 52641b25af78..46e577ba52d6 100644 --- a/erpnext/translations/lv.csv +++ b/erpnext/translations/lv.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,"{0} rinda: lūdzu, iestatiet pārdošanas nodokļa un nodevu atbrīvojuma no nodokļa iemeslu", Row {0}: Please set the Mode of Payment in Payment Schedule,"{0} rinda: lūdzu, maksājuma grafikā iestatiet maksājuma režīmu", Row {0}: Please set the correct code on Mode of Payment {1},"{0} rinda: lūdzu, maksājuma režīmā {1} iestatiet pareizo kodu.", -Row {0}: Qty is mandatory,Rinda {0}: Daudz ir obligāta, Row {0}: Quality Inspection rejected for item {1},{0} rinda: {1} vienumam noraidīta kvalitātes pārbaude, Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM Conversion Factor ir obligāta, Row {0}: select the workstation against the operation {1},Rinda {0}: izvēlieties darbstaciju pret operāciju {1}, @@ -3461,7 +3460,6 @@ Issue Type.,Izdošanas veids., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","Šķiet, ka pastāv servera joslas konfigurācijas problēma. Neveiksmes gadījumā summa tiks atmaksāta jūsu kontā.", Item Reported,Paziņots vienums, Item listing removed,Vienumu saraksts ir noņemts, -Item quantity can not be zero,Vienības daudzums nedrīkst būt nulle, Item taxes updated,Vienumu nodokļi ir atjaunināti, Item {0}: {1} qty produced. ,Vienība {0}: {1} saražots, Joining Date can not be greater than Leaving Date,Pievienošanās datums nevar būt lielāks par aiziešanas datumu, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},{0}. Rinda: izmaksu centrs {1} nepieder uzņēmumam {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,"{0}. Rinda: operācija {1} nav pabeigta {2} darba pasūtījumā norādīto gatavo preču daudzumam. Lūdzu, atjauniniet darbības statusu, izmantojot darba karti {4}.", Row #{0}: Payment document is required to complete the transaction,"# 0. Rinda: maksājuma dokuments ir nepieciešams, lai pabeigtu darījumu", +Row #{0}: Quantity for Item {1} cannot be zero.,# {0}. Rinda: Vienības {1} daudzums nedrīkst būt nulle., Row #{0}: Serial No {1} does not belong to Batch {2},{0}. Rinda: kārtas numurs {1} nepieder pie {2} partijas, Row #{0}: Service End Date cannot be before Invoice Posting Date,# 0. Rinda: pakalpojuma beigu datums nevar būt pirms rēķina nosūtīšanas datuma, Row #{0}: Service Start Date cannot be greater than Service End Date,# 0. Rinda: pakalpojuma sākuma datums nevar būt lielāks par pakalpojuma beigu datumu, diff --git a/erpnext/translations/mk.csv b/erpnext/translations/mk.csv index 0a290198cc0e..3742ad252260 100644 --- a/erpnext/translations/mk.csv +++ b/erpnext/translations/mk.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,"Ред {0}: Ве молиме, поставете ја причината за ослободување од данок во даноците на продажба и наплата", Row {0}: Please set the Mode of Payment in Payment Schedule,Ред {0}: Поставете го начинот на плаќање во распоредот за плаќање, Row {0}: Please set the correct code on Mode of Payment {1},Ред {0}: Ве молиме поставете го точниот код на начинот на плаќање {1}, -Row {0}: Qty is mandatory,Ред {0}: Количина е задолжително, Row {0}: Quality Inspection rejected for item {1},Ред {0}: Инспекција за квалитет одбиена за ставка {1}, Row {0}: UOM Conversion Factor is mandatory,Ред {0}: UOM конверзија фактор е задолжително, Row {0}: select the workstation against the operation {1},Ред {0}: изберете работна станица против операцијата {1}, @@ -3461,7 +3460,6 @@ Issue Type.,Тип на издание., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","Се чини дека постои проблем со конфигурацијата на шаблонот на серверот. Во случај на неуспех, износот ќе ви биде вратен на вашата сметка.", Item Reported,Објавено на точка, Item listing removed,Листата со предмети е отстранета, -Item quantity can not be zero,Количината на артикалот не може да биде нула, Item taxes updated,Ажурираат даноците за артиклите, Item {0}: {1} qty produced. ,Ставка {0}: {1} количество произведено., Joining Date can not be greater than Leaving Date,Датумот на пристапување не може да биде поголем од датумот на напуштање, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},Ред # {0}: Центар за трошоци {1} не припаѓа на компанијата {2, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,"Ред # {0}: Операцијата {1} не е завршена за {2 ty количина на готови производи во редот на работа {3. Ве молиме, ажурирајте го статусот на работењето преку Job 4 Card картичка за работа.", Row #{0}: Payment document is required to complete the transaction,Ред # {0}: Потребен е документ за плаќање за да се заврши трансакцијата, +Row #{0}: Quantity for Item {1} cannot be zero.,Ред # {0}: Количината на артикалот {1} не може да биде нула, Row #{0}: Serial No {1} does not belong to Batch {2},Ред # {0}: Сериски бр {1} не припаѓа на Серија {2, Row #{0}: Service End Date cannot be before Invoice Posting Date,Ред # {0}: Датумот на завршување на услугата не може да биде пред датумот на објавување на фактурата, Row #{0}: Service Start Date cannot be greater than Service End Date,Ред # {0}: Датумот на започнување со услугата не може да биде поголем од датумот на завршување на услугата, diff --git a/erpnext/translations/ml.csv b/erpnext/translations/ml.csv index 04af8ab1ad6d..bc3df86b578d 100644 --- a/erpnext/translations/ml.csv +++ b/erpnext/translations/ml.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,വരി {0}: വിൽപ്പന നികുതികളിലും നിരക്കുകളിലും നികുതി ഇളവ് കാരണം സജ്ജമാക്കുക, Row {0}: Please set the Mode of Payment in Payment Schedule,വരി {0}: പേയ്‌മെന്റ് ഷെഡ്യൂളിൽ പേയ്‌മെന്റ് മോഡ് സജ്ജമാക്കുക, Row {0}: Please set the correct code on Mode of Payment {1},വരി {0}: പേയ്‌മെന്റ് മോഡിൽ ശരിയായ കോഡ് ദയവായി സജ്ജമാക്കുക {1}, -Row {0}: Qty is mandatory,വരി {0}: Qty നിർബന്ധമായും, Row {0}: Quality Inspection rejected for item {1},വരി {0}: ഇനം {1} എന്നതിനുള്ള ക്വാളിറ്റി ഇൻസെക്ഷൻ നിരസിച്ചു, Row {0}: UOM Conversion Factor is mandatory,വരി {0}: UOM പരിവർത്തന ഫാക്ടർ നിർബന്ധമായും, Row {0}: select the workstation against the operation {1},വരി {0}: against 1 operation പ്രവർത്തനത്തിനെതിരെ വർക്ക്സ്റ്റേഷൻ തിരഞ്ഞെടുക്കുക, @@ -3461,7 +3460,6 @@ Issue Type.,ലക്കം തരം., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","സെർവറിന്റെ സ്ട്രൈക്ക് കോൺഫിഗറേഷനിൽ ഒരു പ്രശ്നമുണ്ടെന്ന് തോന്നുന്നു. പരാജയപ്പെട്ടാൽ, നിങ്ങളുടെ അക്കൗണ്ടിലേക്ക് തുക തിരികെ നൽകും.", Item Reported,ഇനം റിപ്പോർട്ടുചെയ്‌തു, Item listing removed,ഇന ലിസ്റ്റിംഗ് നീക്കംചെയ്‌തു, -Item quantity can not be zero,ഇനത്തിന്റെ അളവ് പൂജ്യമാകരുത്, Item taxes updated,ഇന നികുതികൾ അപ്‌ഡേറ്റുചെയ്‌തു, Item {0}: {1} qty produced. ,ഇനം {0}: {1} qty നിർമ്മിച്ചു., Joining Date can not be greater than Leaving Date,ചേരുന്ന തീയതി വിടുന്ന തീയതിയെക്കാൾ വലുതായിരിക്കരുത്, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},വരി # {0}: കോസ്റ്റ് സെന്റർ {1 company കമ്പനിയുടേതല്ല {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,വരി # {0}: വർക്ക് ഓർഡർ {3 in ലെ finished 2} qty പൂർത്തിയായ സാധനങ്ങൾക്കായി {1 operation പ്രവർത്തനം പൂർത്തിയായിട്ടില്ല. ജോബ് കാർഡ് via 4 via വഴി പ്രവർത്തന നില അപ്‌ഡേറ്റുചെയ്യുക., Row #{0}: Payment document is required to complete the transaction,വരി # {0}: ഇടപാട് പൂർത്തിയാക്കാൻ പേയ്‌മെന്റ് പ്രമാണം ആവശ്യമാണ്, +Row #{0}: Quantity for Item {1} cannot be zero.,വരി # {0}: ഇനം {1} ന്റെ അളവ് പൂജ്യമാകരുത്, Row #{0}: Serial No {1} does not belong to Batch {2},വരി # {0}: സീരിയൽ നമ്പർ {1 B ബാച്ച് {2 to ൽ ഉൾപ്പെടുന്നില്ല, Row #{0}: Service End Date cannot be before Invoice Posting Date,വരി # {0}: സേവന അവസാന തീയതി ഇൻവോയ്സ് പോസ്റ്റുചെയ്യുന്ന തീയതിക്ക് മുമ്പായിരിക്കരുത്, Row #{0}: Service Start Date cannot be greater than Service End Date,വരി # {0}: സേവന ആരംഭ തീയതി സേവന അവസാന തീയതിയേക്കാൾ കൂടുതലാകരുത്, diff --git a/erpnext/translations/mr.csv b/erpnext/translations/mr.csv index 785ab65c547a..3059182401b0 100644 --- a/erpnext/translations/mr.csv +++ b/erpnext/translations/mr.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,पंक्ती {0}: कृपया विक्री कर आणि शुल्कामध्ये कर सूट कारण सेट करा, Row {0}: Please set the Mode of Payment in Payment Schedule,पंक्ती {0}: कृपया देय वेळापत्रकात देय मोड सेट करा, Row {0}: Please set the correct code on Mode of Payment {1},पंक्ती {0}: कृपया देयक मोडवर योग्य कोड सेट करा {1}, -Row {0}: Qty is mandatory,रो {0}: Qty अनिवार्य आहे, Row {0}: Quality Inspection rejected for item {1},पंक्ती {0}: आयटमसाठी गुणवत्ता तपासणी नाकारली {1}, Row {0}: UOM Conversion Factor is mandatory,रो {0}: UOM रुपांतर फॅक्टर अनिवार्य आहे, Row {0}: select the workstation against the operation {1},पंक्ती {0}: कार्याच्या विरूद्ध वर्कस्टेशन निवडा {1}, @@ -3461,7 +3460,6 @@ Issue Type.,इश्यूचा प्रकार, "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","असे दिसते की सर्व्हरच्या स्ट्रीप कॉन्फिगरेशनमध्ये एक समस्या आहे. अयशस्वी झाल्यास, रक्कम आपल्या खात्यात परत केली जाईल.", Item Reported,आयटम नोंदविला, Item listing removed,आयटम सूची काढली, -Item quantity can not be zero,आयटमचे प्रमाण शून्य असू शकत नाही, Item taxes updated,आयटम कर अद्यतनित केला, Item {0}: {1} qty produced. ,आयटम {0}: produced 1} क्विट उत्पादन केले., Joining Date can not be greater than Leaving Date,सामील होण्याची तारीख सोडण्याची तारीख सोडून जास्त असू शकत नाही, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},पंक्ती # {0}: किंमत केंद्र {1 company कंपनी to 2 belong चे नाही, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,पंक्ती # {0}: कार्य ऑर्डर {3 in मध्ये तयार केलेल्या वस्तूंच्या {2} क्वाइटीसाठी ऑपरेशन {1} पूर्ण झाले नाही. कृपया जॉब कार्ड via 4 via द्वारे ऑपरेशन स्थिती अद्यतनित करा., Row #{0}: Payment document is required to complete the transaction,पंक्ती # {0}: व्यवहार पूर्ण करण्यासाठी पेमेंट दस्तऐवज आवश्यक आहे, +Row #{0}: Quantity for Item {1} cannot be zero.,पंक्ती # {0}: आयटम {1} चे प्रमाण शून्य असू शकत नाही, Row #{0}: Serial No {1} does not belong to Batch {2},पंक्ती # {0}: अनुक्रमांक {1 B बॅच belong 2 belong चे नाही, Row #{0}: Service End Date cannot be before Invoice Posting Date,पंक्ती # {0}: सेवा समाप्ती तारीख चलन पोस्टिंग तारखेच्या आधीची असू शकत नाही, Row #{0}: Service Start Date cannot be greater than Service End Date,पंक्ती # {0}: सेवा प्रारंभ तारीख सेवा समाप्तीच्या तारखेपेक्षा मोठी असू शकत नाही, diff --git a/erpnext/translations/ms.csv b/erpnext/translations/ms.csv index db20d3c054e5..d33f9b8ca4d6 100644 --- a/erpnext/translations/ms.csv +++ b/erpnext/translations/ms.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,Baris {0}: Sila tetapkan pada Alasan Pengecualian Cukai dalam Cukai Jualan dan Caj, Row {0}: Please set the Mode of Payment in Payment Schedule,Baris {0}: Sila tetapkan Mod Pembayaran dalam Jadual Pembayaran, Row {0}: Please set the correct code on Mode of Payment {1},Baris {0}: Sila tetapkan kod yang betul pada Mod Pembayaran {1}, -Row {0}: Qty is mandatory,Row {0}: Qty adalah wajib, Row {0}: Quality Inspection rejected for item {1},Baris {0}: Pemeriksaan Kualiti ditolak untuk item {1}, Row {0}: UOM Conversion Factor is mandatory,Row {0}: Faktor Penukaran UOM adalah wajib, Row {0}: select the workstation against the operation {1},Baris {0}: pilih stesen kerja terhadap operasi {1}, @@ -3461,7 +3460,6 @@ Issue Type.,Jenis Terbitan., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","Nampaknya terdapat masalah dengan tatarajah jalur pelayan. Sekiranya gagal, amaun akan dikembalikan ke akaun anda.", Item Reported,Item Dilaporkan, Item listing removed,Penyenaraian item dibuang, -Item quantity can not be zero,Kuantiti item tidak boleh menjadi sifar, Item taxes updated,Cukai item dikemas kini, Item {0}: {1} qty produced. ,Perkara {0}: {1} qty dihasilkan., Joining Date can not be greater than Leaving Date,Tarikh Bergabung tidak boleh lebih besar daripada Tarikh Meninggalkan, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},Baris # {0}: Pusat Kos {1} tidak tergolong dalam syarikat {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Baris # {0}: Operasi {1} tidak siap untuk {2} qty barangan siap dalam Perintah Kerja {3}. Sila kemas kini status operasi melalui Job Job {4}., Row #{0}: Payment document is required to complete the transaction,Baris # {0}: Dokumen pembayaran diperlukan untuk menyelesaikan transaksi, +Row #{0}: Quantity for Item {1} cannot be zero.,Baris # {0}: Kuantiti item {1} tidak boleh menjadi sifar., Row #{0}: Serial No {1} does not belong to Batch {2},Baris # {0}: Siri Tidak {1} tidak tergolong dalam Batch {2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,Baris # {0}: Tarikh Akhir Perkhidmatan tidak boleh sebelum Tarikh Penyerahan Invois, Row #{0}: Service Start Date cannot be greater than Service End Date,Baris # {0}: Tarikh Mula Perkhidmatan tidak boleh melebihi Tarikh Akhir Perkhidmatan, diff --git a/erpnext/translations/my.csv b/erpnext/translations/my.csv index f4b8676fee17..c447e663d4f6 100644 --- a/erpnext/translations/my.csv +++ b/erpnext/translations/my.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,အတန်း {0}: အရောင်းအခွန်နှင့်စွပ်စွဲချက်အတွက်အခွန်ကင်းလွတ်ခွင့်အကြောင်းပြချက်မှာသတ်မှတ်ထား ကျေးဇူးပြု., Row {0}: Please set the Mode of Payment in Payment Schedule,အတန်း {0}: ငွေပေးချေမှုရမည့်ဇယားများတွင်ငွေပေးချေ၏ Mode ကိုသတ်မှတ်ပေးပါ, Row {0}: Please set the correct code on Mode of Payment {1},အတန်း {0}: ငွေပေးချေမှုရမည့်၏ Mode ကို {1} အပေါ်မှန်ကန်သောကုဒ်သတ်မှတ်ပေးပါ, -Row {0}: Qty is mandatory,row {0}: Qty မသင်မနေရ, Row {0}: Quality Inspection rejected for item {1},အတန်း {0}: အရည်အသွေးစစ်ဆေးရေးကို item များအတွက် {1} ပယ်ချ, Row {0}: UOM Conversion Factor is mandatory,row {0}: UOM ကူးပြောင်းခြင်း Factor နဲ့မဖြစ်မနေဖြစ်ပါသည်, Row {0}: select the workstation against the operation {1},အတန်း {0}: စစ်ဆင်ရေး {1} ဆန့်ကျင်ကို Workstation ကို select, @@ -3461,7 +3460,6 @@ Issue Type.,ပြဿနာအမျိုးအစား။, "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","ဒါဟာဆာဗာ၏အစင်း configuration နဲ့အတူပြဿနာရှိကွောငျးပုံရသည်။ ကျရှုံးခြင်း၏အမှု၌, ပမာဏကိုသင့်အကောင့်ပြန်အမ်းရပါလိမ့်မယ်။", Item Reported,item နားဆင်နိုင်ပါတယ်, Item listing removed,စာရင်းစာရင်းဖယ်ရှားခဲ့သည်, -Item quantity can not be zero,item အရေအတွက်သုညမဖွစျနိုငျ, Item taxes updated,ပစ္စည်းအခွန် updated, Item {0}: {1} qty produced. ,item {0}: ထုတ်လုပ် {1} အရေအတွက်။, Joining Date can not be greater than Leaving Date,ရက်စွဲတွဲထားခြင်းသည်ထွက်ခွာသည့်နေ့ထက်မကြီးနိုင်ပါ, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},တန်း # {0} - ကုန်ကျစရိတ်စင်တာ {1} သည်ကုမ္ပဏီ {2} နှင့်မသက်ဆိုင်ပါ။, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,အတန်း # {0}: စစ်ဆင်ရေး {1} လုပ်ငန်းခွင်အမိန့် {3} အတွက်ချောကုန်စည် {2} အရည်အတွက်အဘို့အပြီးစီးခဲ့သည်မဟုတ်။ ယောဘသည် Card ကို {4} ကနေတဆင့်စစ်ဆင်ရေး status ကို update လုပ်ပါ။, Row #{0}: Payment document is required to complete the transaction,အတန်း # {0}: ငွေပေးချေမှုရမည့်စာရွက်စာတမ်းငွေပေးငွေယူဖြည့်စွက်ရန်လိုအပ်ပါသည်, +Row #{0}: Quantity for Item {1} cannot be zero.,အတန်း # {0}: item {1} အရေအတွက်သုညမဖွစျနိုငျ, Row #{0}: Serial No {1} does not belong to Batch {2},Row # {0} - Serial No {1} သည် Batch {2} နှင့်မသက်ဆိုင်ပါ။, Row #{0}: Service End Date cannot be before Invoice Posting Date,တန်း # {0} - ငွေတောင်းခံလွှာတင်သည့်နေ့မတိုင်မီဝန်ဆောင်မှုအဆုံးနေ့မဖြစ်နိုင်ပါ, Row #{0}: Service Start Date cannot be greater than Service End Date,Row # {0}: Service Start Date သည် Service End Date ထက်မကြီးနိုင်ပါ, diff --git a/erpnext/translations/nl.csv b/erpnext/translations/nl.csv index 1778c8044a2f..83632dfe5b92 100644 --- a/erpnext/translations/nl.csv +++ b/erpnext/translations/nl.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,Rij {0}: Stel in op Belastingvrijstellingsreden in omzetbelasting en kosten, Row {0}: Please set the Mode of Payment in Payment Schedule,Rij {0}: stel de Betalingswijze in Betalingsschema in, Row {0}: Please set the correct code on Mode of Payment {1},Rij {0}: stel de juiste code in op Betalingswijze {1}, -Row {0}: Qty is mandatory,Rij {0}: aantal is verplicht, Row {0}: Quality Inspection rejected for item {1},Rij {0}: kwaliteitscontrole afgewezen voor artikel {1}, Row {0}: UOM Conversion Factor is mandatory,Rij {0}: Verpakking Conversie Factor is verplicht, Row {0}: select the workstation against the operation {1},Rij {0}: selecteer het werkstation tegen de bewerking {1}, @@ -3461,7 +3460,6 @@ Issue Type.,Soort probleem., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","Het lijkt erop dat er een probleem is met de streepconfiguratie van de server. In het geval van een fout, wordt het bedrag teruggestort op uw account.", Item Reported,Artikel gemeld, Item listing removed,Itemvermelding verwijderd, -Item quantity can not be zero,Artikelhoeveelheid kan niet nul zijn, Item taxes updated,Artikelbelastingen bijgewerkt, Item {0}: {1} qty produced. ,Artikel {0}: {1} aantal geproduceerd., Joining Date can not be greater than Leaving Date,Inschrijvingsdatum kan niet groter zijn dan de uittredingsdatum, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},Rij # {0}: Kostenplaats {1} hoort niet bij bedrijf {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Rij # {0}: bewerking {1} is niet voltooid voor {2} aantal voltooide goederen in werkorder {3}. Werk de bedieningsstatus bij via opdrachtkaart {4}., Row #{0}: Payment document is required to complete the transaction,Rij # {0}: Betalingsdocument is vereist om de transactie te voltooien, +Row #{0}: Quantity for Item {1} cannot be zero.,Rij # {0}: Artikelhoeveelheid voor item {1} kan niet nul zijn., Row #{0}: Serial No {1} does not belong to Batch {2},Rij # {0}: Serienummer {1} hoort niet bij Batch {2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,Rij # {0}: Einddatum van de service kan niet vóór de boekingsdatum van de factuur liggen, Row #{0}: Service Start Date cannot be greater than Service End Date,Rij # {0}: Service startdatum kan niet groter zijn dan service einddatum, diff --git a/erpnext/translations/no.csv b/erpnext/translations/no.csv index 542217afe7a4..50af62ff4b5b 100644 --- a/erpnext/translations/no.csv +++ b/erpnext/translations/no.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,Rad {0}: Vennligst angi grunn for skattefritak i moms og avgifter, Row {0}: Please set the Mode of Payment in Payment Schedule,Rad {0}: Angi betalingsmåte i betalingsplanen, Row {0}: Please set the correct code on Mode of Payment {1},Rad {0}: Angi riktig kode på betalingsmåte {1}, -Row {0}: Qty is mandatory,Rad {0}: Antall er obligatorisk, Row {0}: Quality Inspection rejected for item {1},Rad {0}: Kvalitetskontroll avvist for varen {1}, Row {0}: UOM Conversion Factor is mandatory,Rad {0}: målenheter omregningsfaktor er obligatorisk, Row {0}: select the workstation against the operation {1},Row {0}: velg arbeidsstasjonen mot operasjonen {1}, @@ -3461,7 +3460,6 @@ Issue Type.,Utgavetype., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.",Det ser ut til at det er et problem med serverens stripekonfigurasjon. I tilfelle feil blir beløpet refundert til kontoen din., Item Reported,Artikkel rapportert, Item listing removed,Vareoppføringen er fjernet, -Item quantity can not be zero,Varenummer kan ikke være null, Item taxes updated,Vareskatter oppdatert, Item {0}: {1} qty produced. ,Vare {0}: {1} antall produsert., Joining Date can not be greater than Leaving Date,Deltagelsesdato kan ikke være større enn Leaving Date, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},Rad # {0}: Kostnadssenter {1} tilhører ikke selskapet {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Rad # {0}: Betjening {1} er ikke fullført for {2} antall ferdige varer i arbeidsordre {3}. Oppdater driftsstatus via Jobbkort {4}., Row #{0}: Payment document is required to complete the transaction,Rad # {0}: Betalingsdokument er påkrevd for å fullføre transaksjonen, +Row #{0}: Quantity for Item {1} cannot be zero.,Rad #{0}: Varenummer {1} kan ikke være null., Row #{0}: Serial No {1} does not belong to Batch {2},Rad # {0}: Serienummer {1} hører ikke til gruppe {2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,Rad nr. {0}: Sluttdato for service kan ikke være før faktureringsdato, Row #{0}: Service Start Date cannot be greater than Service End Date,Rad # {0}: Service-startdato kan ikke være større enn sluttidspunkt for tjeneste, diff --git a/erpnext/translations/pl.csv b/erpnext/translations/pl.csv index 247d0bae111e..9d1f528aa21d 100644 --- a/erpnext/translations/pl.csv +++ b/erpnext/translations/pl.csv @@ -2258,7 +2258,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,Wiersz {0}: należy ustawić w Powodzie zwolnienia z podatku w podatkach od sprzedaży i opłatach, Row {0}: Please set the Mode of Payment in Payment Schedule,Wiersz {0}: ustaw tryb płatności w harmonogramie płatności, Row {0}: Please set the correct code on Mode of Payment {1},Wiersz {0}: ustaw prawidłowy kod w trybie płatności {1}, -Row {0}: Qty is mandatory,Wiersz {0}: Ilość jest obowiązkowe, Row {0}: Quality Inspection rejected for item {1},Wiersz {0}: Kontrola jakości odrzucona dla elementu {1}, Row {0}: UOM Conversion Factor is mandatory,Wiersz {0}: JM Współczynnik konwersji jest obowiązkowe, Row {0}: select the workstation against the operation {1},Wiersz {0}: wybierz stację roboczą w stosunku do operacji {1}, @@ -3435,7 +3434,6 @@ Issue Type.,Typ problemu., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","Wygląda na to, że istnieje problem z konfiguracją pasków serwera. W przypadku niepowodzenia kwota zostanie zwrócona na Twoje konto.", Item Reported,Zgłoszony element, Item listing removed,Usunięto listę produktów, -Item quantity can not be zero,Ilość towaru nie może wynosić zero, Item taxes updated,Zaktualizowano podatki od towarów, Item {0}: {1} qty produced. ,Produkt {0}: wyprodukowano {1} sztuk., Joining Date can not be greater than Leaving Date,Data dołączenia nie może być większa niż Data opuszczenia, @@ -3607,6 +3605,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},Wiersz # {0}: Centrum kosztów {1} nie należy do firmy {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Wiersz # {0}: operacja {1} nie została zakończona dla {2} ilości gotowych produktów w zleceniu pracy {3}. Zaktualizuj status operacji za pomocą karty pracy {4}., Row #{0}: Payment document is required to complete the transaction,Wiersz # {0}: dokument płatności jest wymagany do zakończenia transakcji, +Row #{0}: Quantity for Item {1} cannot be zero.,Wiersz # {0}: Ilość towaru {1} nie może wynosić zero, Row #{0}: Serial No {1} does not belong to Batch {2},Wiersz # {0}: numer seryjny {1} nie należy do partii {2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,Wiersz # {0}: data zakończenia usługi nie może być wcześniejsza niż data księgowania faktury, Row #{0}: Service Start Date cannot be greater than Service End Date,Wiersz # {0}: data rozpoczęcia usługi nie może być większa niż data zakończenia usługi, diff --git a/erpnext/translations/ps.csv b/erpnext/translations/ps.csv index 09d4df31ffd0..23480b54262e 100644 --- a/erpnext/translations/ps.csv +++ b/erpnext/translations/ps.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,قطار {0}: مهرباني وکړئ د پلور مالیات او لګښتونو کې د مالیې معافیت دلیل تنظیم کړئ, Row {0}: Please set the Mode of Payment in Payment Schedule,قطار {0}: مهرباني وکړئ د تادیې مهال ویش کې د تادیې حالت تنظیم کړئ, Row {0}: Please set the correct code on Mode of Payment {1},قطار {0}: مهرباني وکړئ د تادیې په حالت کې سم کوډ تنظیم کړئ {1}, -Row {0}: Qty is mandatory,د کتارونو تر {0}: Qty الزامی دی, Row {0}: Quality Inspection rejected for item {1},قطار {0}: د توکي {1} لپاره د کیفیت تفتیش رد شو, Row {0}: UOM Conversion Factor is mandatory,د کتارونو تر {0}: UOM د تغیر فکتور الزامی دی, Row {0}: select the workstation against the operation {1},Row {0}: د عملیات په وړاندې د کارسټنشن غوره کول {1}, @@ -3461,7 +3460,6 @@ Issue Type.,د مسلې ډول., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.",داسې ښکاري چې د سرور د پټې ترتیب سره یو مسله شتون لري. د ناکامۍ په صورت کې، ستاسو د حساب رقم به بیرته ترلاسه شي., Item Reported,توکی راپور شوی, Item listing removed,د توکو لیست ایستل شوی, -Item quantity can not be zero,د توکو مقدار صفر نشي کیدی, Item taxes updated,د توکو مالیه تازه شوه, Item {0}: {1} qty produced. ,توکی {0}: {1} Qty تولید شو., Joining Date can not be greater than Leaving Date,د نیټې ایښودل د نیټې نیولو څخه لوی نشي, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},قطار # {0}: د لګښت مرکز {1 company د شرکت {2 belong پورې اړه نلري., Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,قطار # {0}: په Order 3} کاري ترتیب کې د goods 2} Qty بشپړ شوي توکو لپاره عملیات {1} ندي بشپړ شوي. مهرباني وکړئ د دندو کارت via 4 via له لارې د عملیاتو حالت تازه کړئ., Row #{0}: Payment document is required to complete the transaction,قطار # {0}: د معاملې بشپړولو لپاره د تادیې سند اړین دی, +Row #{0}: Quantity for Item {1} cannot be zero.,قطار # {0}: د {1} توکو مقدار صفر نشي کیدی, Row #{0}: Serial No {1} does not belong to Batch {2},قطار # {0}: سیریل {1} د بیچ {2 belong سره تړاو نه لري, Row #{0}: Service End Date cannot be before Invoice Posting Date,قطار # {0}: د خدمت پای پای نیټه د انوائس پوسټ کولو نیټې څخه مخکې نشي کیدی, Row #{0}: Service Start Date cannot be greater than Service End Date,قطار # {0}: د خدماتو د پیل نیټه د خدمت پای نیټې څخه لوی نشي, diff --git a/erpnext/translations/pt-BR.csv b/erpnext/translations/pt-BR.csv index 92845b0a40a2..c904e5e1499d 100644 --- a/erpnext/translations/pt-BR.csv +++ b/erpnext/translations/pt-BR.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,Linha {0}: Por Favor Defina o Motivo da Isenção de Impostos Em Impostos e Taxas de Vendas, Row {0}: Please set the Mode of Payment in Payment Schedule,Linha {0}: Por Favor Defina o Modo de Pagamento na Programação de Pagamento, Row {0}: Please set the correct code on Mode of Payment {1},Linha {0}: Por favor defina o código correto em Modo de pagamento {1}, -Row {0}: Qty is mandatory,Linha {0}: Qtde é obrigatória, Row {0}: Quality Inspection rejected for item {1},Linha {0}: inspeção de qualidade rejeitada para o item {1}, Row {0}: UOM Conversion Factor is mandatory,Linha {0}: Fator de Conversão da Unidade de Medida é obrigatório, Row {0}: select the workstation against the operation {1},Linha {0}: selecione a estação de trabalho contra a operação {1}, @@ -3461,7 +3460,6 @@ Issue Type.,Tipo de Incidente., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","Parece que há um problema com a configuração de distribuição do servidor. Em caso de falha, o valor será reembolsado em sua conta.", Item Reported,Item Relatado, Item listing removed,Lista de itens removidos, -Item quantity can not be zero,Quantidade de item não pode ser zero, Item taxes updated,Impostos sobre itens atualizados, Item {0}: {1} qty produced. ,Item {0}: {1} quantidade produzida., Joining Date can not be greater than Leaving Date,A data de ingresso não pode ser maior que a data de saída, diff --git a/erpnext/translations/pt.csv b/erpnext/translations/pt.csv index 58cf6c8316a3..c8c5d061dcfa 100644 --- a/erpnext/translations/pt.csv +++ b/erpnext/translations/pt.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,"Linha {0}: Por favor, defina o Motivo da Isenção de Impostos em Impostos e Taxas de Vendas", Row {0}: Please set the Mode of Payment in Payment Schedule,"Linha {0}: Por favor, defina o modo de pagamento na programação de pagamento", Row {0}: Please set the correct code on Mode of Payment {1},"Linha {0}: Por favor, defina o código correto em Modo de pagamento {1}", -Row {0}: Qty is mandatory,Linha {0}: É obrigatório colocar a qtd, Row {0}: Quality Inspection rejected for item {1},Linha {0}: inspeção de qualidade rejeitada para o item {1}, Row {0}: UOM Conversion Factor is mandatory,Linha {0}: É obrigatório colocar o Fator de Conversão de UNID, Row {0}: select the workstation against the operation {1},Linha {0}: selecione a estação de trabalho contra a operação {1}, @@ -3461,7 +3460,6 @@ Issue Type.,Tipo de problema., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","Parece que há um problema com a configuração de distribuição do servidor. Em caso de falha, o valor será reembolsado em sua conta.", Item Reported,Item relatado, Item listing removed,Lista de itens removidos, -Item quantity can not be zero,Quantidade de item não pode ser zero, Item taxes updated,Impostos sobre itens atualizados, Item {0}: {1} qty produced. ,Item {0}: {1} quantidade produzida., Joining Date can not be greater than Leaving Date,A data de ingresso não pode ser maior que a data de saída, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},Linha # {0}: o centro de custo {1} não pertence à empresa {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,"Linha # {0}: A operação {1} não está concluída para {2} quantidade de produtos acabados na Ordem de Serviço {3}. Por favor, atualize o status da operação através do Job Card {4}.", Row #{0}: Payment document is required to complete the transaction,Linha # {0}: documento de pagamento é necessário para concluir a transação, +Row #{0}: Quantity for Item {1} cannot be zero.,Linha # {0}: Quantidade de item {1} não pode ser zero., Row #{0}: Serial No {1} does not belong to Batch {2},Linha # {0}: o número de série {1} não pertence ao lote {2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,Linha # {0}: a data de término do serviço não pode ser anterior à data de lançamento da fatura, Row #{0}: Service Start Date cannot be greater than Service End Date,Linha # {0}: a data de início do serviço não pode ser maior que a data de término do serviço, diff --git a/erpnext/translations/ro.csv b/erpnext/translations/ro.csv index 935b1e66fd45..d26b80379eaa 100644 --- a/erpnext/translations/ro.csv +++ b/erpnext/translations/ro.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,Rândul {0}: Vă rugăm să setați motivul scutirii de taxe în impozitele și taxele de vânzare, Row {0}: Please set the Mode of Payment in Payment Schedule,Rândul {0}: Vă rugăm să setați modul de plată în programul de plată, Row {0}: Please set the correct code on Mode of Payment {1},Rândul {0}: Vă rugăm să setați codul corect pe Modul de plată {1}, -Row {0}: Qty is mandatory,Rând {0}: Cant este obligatorie, Row {0}: Quality Inspection rejected for item {1},Rândul {0}: Inspecția de calitate a fost respinsă pentru articolul {1}, Row {0}: UOM Conversion Factor is mandatory,Row {0}: Factorul de conversie UOM este obligatorie, Row {0}: select the workstation against the operation {1},Rând {0}: selectați stația de lucru pentru operația {1}, @@ -3460,7 +3459,6 @@ Issue Type.,Tipul problemei., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","Se pare că există o problemă cu configurația benzii serverului. În caz de eșec, suma va fi rambursată în cont.", Item Reported,Articol raportat, Item listing removed,Elementul de articol a fost eliminat, -Item quantity can not be zero,Cantitatea articolului nu poate fi zero, Item taxes updated,Impozitele pe articol au fost actualizate, Item {0}: {1} qty produced. ,Articol {0}: {1} cantitate produsă., Joining Date can not be greater than Leaving Date,Data de înscriere nu poate fi mai mare decât Data de plecare, @@ -3632,6 +3630,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},Rândul {{0}: Centrul de costuri {1} nu aparține companiei {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Rândul # {0}: Operația {1} nu este finalizată pentru {2} cantitate de mărfuri finite în Ordinul de lucru {3}. Vă rugăm să actualizați starea operației prin intermediul cărții de lucru {4}., Row #{0}: Payment document is required to complete the transaction,Rândul # {0}: documentul de plată este necesar pentru a finaliza tranzacția, +Row #{0}: Quantity for Item {1} cannot be zero.,Rândul # {0}: Cantitatea articolului {1} nu poate fi zero., Row #{0}: Serial No {1} does not belong to Batch {2},Rândul # {0}: nr. De serie {1} nu aparține lotului {2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,Rândul # {0}: Data de încheiere a serviciului nu poate fi înainte de Data de înregistrare a facturii, Row #{0}: Service Start Date cannot be greater than Service End Date,Rândul # {0}: Data de începere a serviciului nu poate fi mai mare decât Data de încheiere a serviciului, diff --git a/erpnext/translations/ru.csv b/erpnext/translations/ru.csv index 2f6f361b10db..ec5421e444dd 100644 --- a/erpnext/translations/ru.csv +++ b/erpnext/translations/ru.csv @@ -2271,7 +2271,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,Строка {0}: Укажите причину освобождения от уплаты налогов в разделе Налоги и сборы, Row {0}: Please set the Mode of Payment in Payment Schedule,"Строка {0}: пожалуйста, установите способ оплаты в графике платежей", Row {0}: Please set the correct code on Mode of Payment {1},Строка {0}: установите правильный код в способе оплаты {1}, -Row {0}: Qty is mandatory,Строка {0}: Кол-во является обязательным, Row {0}: Quality Inspection rejected for item {1},Строка {0}: проверка качества отклонена для элемента {1}, Row {0}: UOM Conversion Factor is mandatory,Строка {0}: Коэффициент преобразования единиц измерения является обязательным, Row {0}: select the workstation against the operation {1},Строка {0}: выберите рабочее место для операции {1}, @@ -3459,7 +3458,6 @@ Issue Type.,Тип проблемы., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","Кажется, что существует проблема с конфигурацией полосок сервера. В случае сбоя сумма будет возвращена на ваш счет.", Item Reported,Товар сообщен, Item listing removed,Список товаров удален, -Item quantity can not be zero,Количество товара не может быть нулевым, Item taxes updated,Товарные налоги обновлены, Item {0}: {1} qty produced. ,Элемент {0}: произведено {1} кол-во. , Joining Date can not be greater than Leaving Date,"Дата вступления не может быть больше, чем Дата отъезда", @@ -3635,6 +3633,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},Строка #{0}: МВЗ {1} не принадлежит компании {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,"Строка #{0}: операция {1} не завершена для {2} количества готовой продукции в рабочем задании {3}. Пожалуйста, обновите статус операции с помощью Карточки работ {4}.", Row #{0}: Payment document is required to complete the transaction,Строка #{0}: для завершения транзакции требуется платежный документ, +Row #{0}: Quantity for Item {1} cannot be zero.,Строка #{0}: Количество товара {1} не может быть нулевым, Row #{0}: Serial No {1} does not belong to Batch {2},Строка #{0}: серийный номер {1} не принадлежит партии {2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,Строка #{0}: дата окончания обслуживания не может быть раньше даты проводки счета, Row #{0}: Service Start Date cannot be greater than Service End Date,Строка #{0}: дата начала обслуживания не может быть больше даты окончания обслуживания, diff --git a/erpnext/translations/rw.csv b/erpnext/translations/rw.csv index 59362a1e29e2..66a530c99620 100644 --- a/erpnext/translations/rw.csv +++ b/erpnext/translations/rw.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,Umurongo {0}: Nyamuneka shyira kumpamvu yo gusonerwa imisoro mumisoro yagurishijwe, Row {0}: Please set the Mode of Payment in Payment Schedule,Umurongo {0}: Nyamuneka shiraho uburyo bwo Kwishura muri Gahunda yo Kwishura, Row {0}: Please set the correct code on Mode of Payment {1},Umurongo {0}: Nyamuneka shyira kode yukuri kuri Mode yo Kwishura {1}, -Row {0}: Qty is mandatory,Umurongo {0}: Qty ni itegeko, Row {0}: Quality Inspection rejected for item {1},Umurongo {0}: Igenzura ryiza ryanze kubintu {1}, Row {0}: UOM Conversion Factor is mandatory,Umurongo {0}: Ikintu cya UOM Guhindura ni itegeko, Row {0}: select the workstation against the operation {1},Umurongo {0}: hitamo ahakorerwa kurwanya ibikorwa {1}, @@ -3461,7 +3460,6 @@ Issue Type.,Ubwoko bw'Ibibazo., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","Birasa nkaho hari ikibazo hamwe na seriveri iboneza. Mugihe byananiranye, amafaranga azasubizwa kuri konte yawe.", Item Reported,Ingingo Yatanzwe, Item listing removed,Urutonde rwibintu rwakuweho, -Item quantity can not be zero,Ingano yikintu ntishobora kuba zeru, Item taxes updated,Imisoro yikintu ivugururwa, Item {0}: {1} qty produced. ,Ingingo {0}: {1} qty yakozwe., Joining Date can not be greater than Leaving Date,Kwinjira Itariki ntishobora kurenza Kureka Itariki, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},Umurongo # {0}: Ikigo Centre {1} ntabwo ari icya sosiyete {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Umurongo # {0}: Igikorwa {1} nticyarangiye kuri {2} qty yibicuruzwa byarangiye murutonde rwakazi {3}. Nyamuneka vugurura imikorere ukoresheje ikarita y'akazi {4}., Row #{0}: Payment document is required to complete the transaction,Umurongo # {0}: Inyandiko yo kwishyura irasabwa kurangiza ibikorwa, +Row #{0}: Quantity for Item {1} cannot be zero.,Umurongo # {0}: Ingano yikintu {1} ntishobora kuba zeru., Row #{0}: Serial No {1} does not belong to Batch {2},Umurongo # {0}: Serial No {1} ntabwo ari iya Batch {2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,Umurongo # {0}: Itariki yo kurangiriraho ya serivisi ntishobora kuba mbere yitariki yo kohereza, Row #{0}: Service Start Date cannot be greater than Service End Date,Umurongo # {0}: Itariki yo Gutangiriraho Serivisi ntishobora kuba irenze Itariki yo kurangiriraho, diff --git a/erpnext/translations/si.csv b/erpnext/translations/si.csv index dd2acc45a2fe..168da5aded27 100644 --- a/erpnext/translations/si.csv +++ b/erpnext/translations/si.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,පේළිය {0}: කරුණාකර විකුණුම් බදු සහ ගාස්තු සඳහා බදු නිදහස් කිරීමේ හේතුව සකසන්න, Row {0}: Please set the Mode of Payment in Payment Schedule,පේළිය {0}: කරුණාකර ගෙවීම් ක්‍රමය ගෙවීම් කාලසටහනට සකසන්න, Row {0}: Please set the correct code on Mode of Payment {1},පේළිය {0}: කරුණාකර නිවැරදි කේතය ගෙවීම් ක්‍රමයට සකසන්න {1}, -Row {0}: Qty is mandatory,ෙරෝ {0}: යවන ලද අනිවාර්ය වේ, Row {0}: Quality Inspection rejected for item {1},පේළිය {0}: තත්ත්ව පරීක්ෂාව අයිතමය සඳහා {1}, Row {0}: UOM Conversion Factor is mandatory,ෙරෝ {0}: UOM පරිවර්තන සාධකය අනිවාර්ය වේ, Row {0}: select the workstation against the operation {1},පේළිය {0}: මෙහෙයුමට එරෙහිව පරිගණකය තෝරා ගන්න {1}, @@ -3461,7 +3460,6 @@ Issue Type.,නිකුත් කිරීමේ වර්ගය., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","සර්වරයේ තීරු වින්යාසය සමඟ ගැටළුවක් පවතින බව පෙනේ. අසාර්ථකත්වයේ දී, එම මුදල ඔබේ ගිණුමට නැවත ලබා දෙනු ඇත.", Item Reported,අයිතමය වාර්තා කර ඇත, Item listing removed,අයිතම ලැයිස්තුගත කිරීම ඉවත් කරන ලදි, -Item quantity can not be zero,අයිතමයේ ප්‍රමාණය ශුන්‍ය විය නොහැක, Item taxes updated,අයිතම බදු යාවත්කාලීන කරන ලදි, Item {0}: {1} qty produced. ,අයිතමය {0}: {1} qty නිෂ්පාදනය., Joining Date can not be greater than Leaving Date,සම්බන්ධ වන දිනය නිවාඩු දිනයට වඩා වැඩි විය නොහැක, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},පේළිය # {0}: පිරිවැය මධ්‍යස්ථානය {1 company සමාගමට අයත් නොවේ {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,පේළිය # {0}: වැඩ ඇණවුමේ {3 in හි නිමි භාණ්ඩ {2} qty සඳහා {1 operation මෙහෙයුම සම්පූර්ණ නොවේ. කරුණාකර ජොබ් කාඩ් {4 via හරහා මෙහෙයුම් තත්ත්වය යාවත්කාලීන කරන්න., Row #{0}: Payment document is required to complete the transaction,පේළිය # {0}: ගනුදෙනුව සම්පූර්ණ කිරීම සඳහා ගෙවීම් ලේඛනය අවශ්‍ය වේ, +Row #{0}: Quantity for Item {1} cannot be zero.,පේළිය # {0}: අයිතමයේ {1} ප්‍රමාණය ශුන්‍ය විය නොහැක, Row #{0}: Serial No {1} does not belong to Batch {2},පේළිය # {0}: අනුක්‍රමික අංකය {1 B කණ්ඩායම {2 to ට අයත් නොවේ, Row #{0}: Service End Date cannot be before Invoice Posting Date,පේළිය # {0}: ඉන්වොයිසිය පළ කිරීමේ දිනයට පෙර සේවා අවසන් දිනය විය නොහැක, Row #{0}: Service Start Date cannot be greater than Service End Date,පේළිය # {0}: සේවා ආරම්භක දිනය සේවා අවසන් දිනයට වඩා වැඩි විය නොහැක, diff --git a/erpnext/translations/sk.csv b/erpnext/translations/sk.csv index 025c8b788f73..e3323ddc9efc 100644 --- a/erpnext/translations/sk.csv +++ b/erpnext/translations/sk.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,Riadok {0}: V Dane z obratu a poplatkoch nastavte prosím na dôvod oslobodenia od dane, Row {0}: Please set the Mode of Payment in Payment Schedule,Riadok {0}: Nastavte si spôsob platby v pláne platieb, Row {0}: Please set the correct code on Mode of Payment {1},Riadok {0}: Nastavte správny kód v platobnom režime {1}, -Row {0}: Qty is mandatory,Row {0}: Množství je povinný, Row {0}: Quality Inspection rejected for item {1},Riadok {0}: Kontrola kvality zamietnutá pre položku {1}, Row {0}: UOM Conversion Factor is mandatory,Riadok {0}: Konverzný faktor MJ je povinný, Row {0}: select the workstation against the operation {1},Riadok {0}: vyberte pracovnú stanicu proti operácii {1}, @@ -3461,7 +3460,6 @@ Issue Type.,Typ vydania., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","Zdá sa, že existuje problém s konfiguráciou pásma servera. V prípade zlyhania bude suma vrátená na váš účet.", Item Reported,Položka bola nahlásená, Item listing removed,Zoznam položiek bol odstránený, -Item quantity can not be zero,Množstvo položky nemôže byť nula, Item taxes updated,Dane z tovaru boli aktualizované, Item {0}: {1} qty produced. ,Položka {0}: {1} vyprodukované množstvo., Joining Date can not be greater than Leaving Date,Dátum vstupu nemôže byť väčší ako dátum odchodu, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},Riadok # {0}: Nákladové stredisko {1} nepatrí spoločnosti {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Riadok # {0}: Operácia {1} nie je dokončená pre {2} množstvo hotového tovaru v objednávke {3}. Aktualizujte prevádzkový stav prostredníctvom Job Card {4}., Row #{0}: Payment document is required to complete the transaction,Riadok # {0}: Na dokončenie transakcie je potrebný platobný doklad, +Row #{0}: Quantity for Item {1} cannot be zero.,Riadok # {0}: Množstvo položky {1} nemôže byť nula., Row #{0}: Serial No {1} does not belong to Batch {2},Riadok # {0}: Poradové číslo {1} nepatrí do šarže {2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,Riadok # {0}: Dátum ukončenia služby nemôže byť pred dátumom zaúčtovania faktúry, Row #{0}: Service Start Date cannot be greater than Service End Date,Riadok # {0}: Dátum začatia služby nemôže byť väčší ako dátum ukončenia služby, diff --git a/erpnext/translations/sl.csv b/erpnext/translations/sl.csv index 86b5e58129f8..2937afd703d6 100644 --- a/erpnext/translations/sl.csv +++ b/erpnext/translations/sl.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,"Vrstica {0}: Prosimo, nastavite Razlog oprostitve plačila davkov na promet in davkov", Row {0}: Please set the Mode of Payment in Payment Schedule,Vrstica {0}: v plačilni shemi nastavite način plačila, Row {0}: Please set the correct code on Mode of Payment {1},Vrstica {0}: nastavite pravilno kodo na način plačila {1}, -Row {0}: Qty is mandatory,Vrstica {0}: Kol je obvezna, Row {0}: Quality Inspection rejected for item {1},Vrstica {0}: pregled izdelka je zavrnjen za postavko {1}, Row {0}: UOM Conversion Factor is mandatory,Vrstica {0}: UOM Conversion Factor je obvezna, Row {0}: select the workstation against the operation {1},Vrstica {0}: izberite delovno postajo proti operaciji {1}, @@ -3461,7 +3460,6 @@ Issue Type.,Vrsta izdaje, "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","Zdi se, da obstaja težava s strežniško konfiguracijo črtne kode. V primeru neuspeha bo znesek povrnjen na vaš račun.", Item Reported,Element je prijavljen, Item listing removed,Seznam elementov je odstranjen, -Item quantity can not be zero,Količina artikla ne more biti nič, Item taxes updated,Davki na postavke so posodobljeni, Item {0}: {1} qty produced. ,Postavka {0}: {1} proizvedeno., Joining Date can not be greater than Leaving Date,Datum pridružitve ne sme biti večji od datuma zapustitve, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},Vrstica # {0}: stroškovno središče {1} ne pripada podjetju {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Vrstica # {0}: Postopek {1} ni končan za {2} količino končnih izdelkov v delovnem naročilu {3}. Posodobite stanje delovanja s Job Card {4}., Row #{0}: Payment document is required to complete the transaction,Vrstica # {0}: Za dokončanje transakcije je potreben plačilni dokument, +Row #{0}: Quantity for Item {1} cannot be zero.,Vrstica # {0}: Količina artikla {1} ne more biti nič., Row #{0}: Serial No {1} does not belong to Batch {2},Vrstica # {0}: Serijska št. {1} ne spada v serijo {2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,Vrstica # {0}: Končni datum storitve ne sme biti pred datumom objave računa, Row #{0}: Service Start Date cannot be greater than Service End Date,Vrstica # {0}: datum začetka storitve ne sme biti večji od končnega datuma storitve, diff --git a/erpnext/translations/sq.csv b/erpnext/translations/sq.csv index 3cfa4297df57..f3e68062b080 100644 --- a/erpnext/translations/sq.csv +++ b/erpnext/translations/sq.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,Rreshti {0}: Ju lutemi vendosni arsyen e përjashtimit nga taksat në taksat dhe tarifat e shitjeve, Row {0}: Please set the Mode of Payment in Payment Schedule,Rreshti {0}: Ju lutemi vendosni Mënyrën e Pagesës në Programin e Pagesave, Row {0}: Please set the correct code on Mode of Payment {1},Rresht {0}: Ju lutemi vendosni kodin e saktë në mënyrën e pagesës {1}, -Row {0}: Qty is mandatory,Row {0}: Qty është e detyrueshme, Row {0}: Quality Inspection rejected for item {1},Rreshti {0}: Inspektimi i Cilësisë i refuzuar për artikullin {1}, Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM Konvertimi Faktori është i detyrueshëm, Row {0}: select the workstation against the operation {1},Rresht {0}: zgjidhni stacionin e punës kundër operacionit {1}, @@ -3461,7 +3460,6 @@ Issue Type.,Lloji i çështjes., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","Duket se ka një problem me konfigurimin e shiritit të serverit. Në rast të dështimit, shuma do të kthehet në llogarinë tuaj.", Item Reported,Njoftimi i raportuar, Item listing removed,Lista e sendeve u hoq, -Item quantity can not be zero,Sasia e sendit nuk mund të jetë zero, Item taxes updated,Taksat e sendeve azhurnohen, Item {0}: {1} qty produced. ,Artikulli {0}: {1} prodhohet., Joining Date can not be greater than Leaving Date,Data e anëtarësimit nuk mund të jetë më e madhe se data e largimit, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},Rreshti # {0}: Qendra e Kostos {1} nuk i përket kompanisë {2, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Rreshti # {0}: Operacioni {1} nuk është përfunduar për 2 {sasi të mallrave të gatshëm në Rendin e Punës {3. Ju lutemi azhurnoni statusin e funksionimit përmes Kartës së Punës {4., Row #{0}: Payment document is required to complete the transaction,Rreshti # {0}: Dokumenti i pagesës kërkohet për të përfunduar transaksionin, +Row #{0}: Quantity for Item {1} cannot be zero.,Rreshti # {0}: Sasia e sendit {1} nuk mund të jetë zero., Row #{0}: Serial No {1} does not belong to Batch {2},Rreshti # {0}: Seriali Nr {1} nuk i përket Batch {2, Row #{0}: Service End Date cannot be before Invoice Posting Date,Rreshti # {0}: Data e mbarimit të shërbimit nuk mund të jetë përpara datës së postimit të faturës, Row #{0}: Service Start Date cannot be greater than Service End Date,Rreshti # {0}: Data e fillimit të shërbimit nuk mund të jetë më e madhe se data e përfundimit të shërbimit, diff --git a/erpnext/translations/sr.csv b/erpnext/translations/sr.csv index 621772f39fa4..d22a101a2a59 100644 --- a/erpnext/translations/sr.csv +++ b/erpnext/translations/sr.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,Ред {0}: Подесите разлог ослобађања од пореза у порезима и накнадама на промет, Row {0}: Please set the Mode of Payment in Payment Schedule,Ред {0}: Молимо вас да подесите Начин плаћања у Распореду плаћања, Row {0}: Please set the correct code on Mode of Payment {1},Ред {0}: Молимо поставите тачан код на Начин плаћања {1}, -Row {0}: Qty is mandatory,Ред {0}: Кол је обавезно, Row {0}: Quality Inspection rejected for item {1},Ред {0}: Инспекција квалитета одбијена за ставку {1}, Row {0}: UOM Conversion Factor is mandatory,Ред {0}: УОМ фактор конверзије је обавезна, Row {0}: select the workstation against the operation {1},Ред {0}: изаберите радну станицу против операције {1}, @@ -3461,7 +3460,6 @@ Issue Type.,Врста издања., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","Чини се да постоји проблем са конфигурацијом стрипе сервера. У случају неуспеха, износ ће бити враћен на ваш рачун.", Item Reported,Ставка пријављена, Item listing removed,Попис предмета је уклоњен, -Item quantity can not be zero,Количина предмета не може бити једнака нули, Item taxes updated,Ажурирани су порези на артикле, Item {0}: {1} qty produced. ,Ставка {0}: {1} Количина произведена., Joining Date can not be greater than Leaving Date,Датум придруживања не може бити већи од Датум напуштања, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},Ред # {0}: Трошкови {1} не припада компанији {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Ред # {0}: Операција {1} није завршена за {2} Количина готових производа у радном налогу {3}. Ажурирајте статус рада путем Јоб Цард {4}., Row #{0}: Payment document is required to complete the transaction,Ред # {0}: За завршетак трансакције потребан је документ о плаћању, +Row #{0}: Quantity for Item {1} cannot be zero.,Ред # {0}: Количина предмета {1} не може бити једнака нули., Row #{0}: Serial No {1} does not belong to Batch {2},Ред # {0}: Серијски број {1} не припада групи {2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,Ред број # 0: Датум завршетка услуге не може бити прије датума књижења фактуре, Row #{0}: Service Start Date cannot be greater than Service End Date,Ред број # {0}: Датум почетка услуге не може бити већи од датума завршетка услуге, diff --git a/erpnext/translations/sv.csv b/erpnext/translations/sv.csv index 4fef88b7f4cc..66f707dabe28 100644 --- a/erpnext/translations/sv.csv +++ b/erpnext/translations/sv.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,Rad {0}: Vänligen ange skattefrihetsskäl i moms och avgifter, Row {0}: Please set the Mode of Payment in Payment Schedule,Rad {0}: Ange betalningsmetod i betalningsschema, Row {0}: Please set the correct code on Mode of Payment {1},Rad {0}: Ange rätt kod på betalningsmetod {1}, -Row {0}: Qty is mandatory,Rad {0}: Antal är obligatoriskt, Row {0}: Quality Inspection rejected for item {1},Rad {0}: Kvalitetskontroll avvisad för artikel {1}, Row {0}: UOM Conversion Factor is mandatory,Rad {0}: UOM Omvandlingsfaktor är obligatorisk, Row {0}: select the workstation against the operation {1},Rad {0}: välj arbetsstation mot operationen {1}, @@ -3461,7 +3460,6 @@ Issue Type.,Problemtyp., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.",Det verkar som om det finns ett problem med serverns randkonfiguration. Vid fel kommer beloppet att återbetalas till ditt konto., Item Reported,Objekt rapporterat, Item listing removed,Objektlistan har tagits bort, -Item quantity can not be zero,Artikelkvantitet kan inte vara noll, Item taxes updated,Produktskatter uppdaterade, Item {0}: {1} qty produced. ,Objekt {0}: {1} producerad antal., Joining Date can not be greater than Leaving Date,Anslutningsdatum kan inte vara större än Leaving Date, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},Rad # {0}: Cost Center {1} tillhör inte företaget {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Rad # {0}: Drift {1} är inte slutfört för {2} antal färdigvaror i arbetsordern {3}. Uppdatera driftsstatus via Jobbkort {4}., Row #{0}: Payment document is required to complete the transaction,Rad # {0}: Betalningsdokument krävs för att slutföra transaktionen, +Row #{0}: Quantity for Item {1} cannot be zero.,Rad # {0}: Artikelkvantitet för artikel {1} kan inte vara noll., Row #{0}: Serial No {1} does not belong to Batch {2},Rad # {0}: Serienummer {1} tillhör inte batch {2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,Rad nr {0}: Service slutdatum kan inte vara före fakturadatum, Row #{0}: Service Start Date cannot be greater than Service End Date,Rad # {0}: Service-startdatum kan inte vara större än slutdatum för service, diff --git a/erpnext/translations/sw.csv b/erpnext/translations/sw.csv index 3b4d8aee6449..83ff58a73873 100644 --- a/erpnext/translations/sw.csv +++ b/erpnext/translations/sw.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,Row {0}: Tafadhali weka kwa Sababu ya Msamaha wa Ushuru katika Ushuru na Uuzaji, Row {0}: Please set the Mode of Payment in Payment Schedule,Njia {0}: Tafadhali seti Njia ya Malipo katika Ratiba ya Malipo, Row {0}: Please set the correct code on Mode of Payment {1},Safu {0}: Tafadhali seti nambari sahihi kwenye Njia ya Malipo {1}, -Row {0}: Qty is mandatory,Row {0}: Uchina ni lazima, Row {0}: Quality Inspection rejected for item {1},Safu {0}: Ukaguzi wa Ubora uliokataliwa kwa bidhaa {1}, Row {0}: UOM Conversion Factor is mandatory,Row {0}: Kipengele cha kubadilisha UOM ni lazima, Row {0}: select the workstation against the operation {1},Row {0}: chagua kituo cha kazi dhidi ya uendeshaji {1}, @@ -3461,7 +3460,6 @@ Issue Type.,Aina ya Toleo., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","Inaonekana kwamba kuna suala la usanidi wa stripe ya seva. Katika hali ya kushindwa, kiasi hicho kitarejeshwa kwa akaunti yako.", Item Reported,Bidhaa Imeripotiwa, Item listing removed,Orodha ya bidhaa imeondolewa, -Item quantity can not be zero,Wingi wa kitu hauwezi kuwa sifuri, Item taxes updated,Kodi ya bidhaa iliyosasishwa, Item {0}: {1} qty produced. ,Bidhaa {0}: {1} qty imetolewa, Joining Date can not be greater than Leaving Date,Kujiunga Tarehe haiwezi kuwa kubwa kuliko Tarehe ya Kuondoka, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},Njia # {0}: Kituo cha Gharama {1} sio ya kampuni {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Njia # {0}: Operesheni {1} haijakamilika kwa {2} qty ya bidhaa kumaliza katika Agizo la Kazi {3}. Tafadhali sasisha hali ya operesheni kupitia Kadi ya kazi {4}., Row #{0}: Payment document is required to complete the transaction,Njia # {0}: Hati ya malipo inahitajika kukamilisha ununuzi, +Row #{0}: Quantity for Item {1} cannot be zero.,Njia # {0}: Wingi wa kitu {1} hauwezi kuwa sifuri, Row #{0}: Serial No {1} does not belong to Batch {2},Safu ya # {0}: Nambari ya Hapana {1} sio ya Kundi {2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,Njia # {0}: Tarehe ya Mwisho wa Huduma haiwezi kuwa kabla ya Tarehe ya Kutuma ankara, Row #{0}: Service Start Date cannot be greater than Service End Date,Safu # {0}: Tarehe ya Kuanza kwa Huduma haiwezi kuwa kubwa kuliko Tarehe ya Mwisho wa Huduma, diff --git a/erpnext/translations/ta.csv b/erpnext/translations/ta.csv index f40e5124276d..246fc9aa8ff3 100644 --- a/erpnext/translations/ta.csv +++ b/erpnext/translations/ta.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,வரிசை {0}: விற்பனை வரி மற்றும் கட்டணங்களில் வரி விலக்கு காரணத்தை அமைக்கவும், Row {0}: Please set the Mode of Payment in Payment Schedule,வரிசை {0}: கட்டணம் செலுத்தும் முறையை கட்டண அட்டவணையில் அமைக்கவும், Row {0}: Please set the correct code on Mode of Payment {1},வரிசை {0}: கட்டண முறையின் சரியான குறியீட்டை அமைக்கவும் {1}, -Row {0}: Qty is mandatory,ரோ {0}: அளவு கட்டாய ஆகிறது, Row {0}: Quality Inspection rejected for item {1},வரிசை {0}: உருப்படியை {1} க்கான தர ஆய்வு நிராகரிக்கப்பட்டது, Row {0}: UOM Conversion Factor is mandatory,ரோ {0}: UOM மாற்றக் காரணி கட்டாயமாகும், Row {0}: select the workstation against the operation {1},வரிசை {0}: நடவடிக்கைக்கு எதிராக பணிநிலையத்தைத் தேர்ந்தெடுக்கவும் {1}, @@ -3461,7 +3460,6 @@ Issue Type.,வெளியீட்டு வகை., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","சர்வர் ஸ்ட்ரீப் கட்டமைப்பில் சிக்கல் இருப்பதாகத் தோன்றுகிறது. தோல்வி ஏற்பட்டால், உங்கள் கணக்கில் பணம் திரும்பப்பெறப்படும்.", Item Reported,பொருள் புகாரளிக்கப்பட்டது, Item listing removed,உருப்படி பட்டியல் நீக்கப்பட்டது, -Item quantity can not be zero,பொருளின் அளவு பூஜ்ஜியமாக இருக்க முடியாது, Item taxes updated,பொருள் வரி புதுப்பிக்கப்பட்டது, Item {0}: {1} qty produced. ,பொருள் {0}: {1} qty தயாரிக்கப்பட்டது., Joining Date can not be greater than Leaving Date,சேரும் தேதியை விட்டு வெளியேறுவதை விட அதிகமாக இருக்க முடியாது, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},வரிசை # {0}: செலவு மையம் {1 company நிறுவனத்திற்கு சொந்தமில்லை {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,வரிசை # {0}: பணி ஆணை {3 in இல் finished 2} qty முடிக்கப்பட்ட பொருட்களுக்கு {1 operation செயல்பாடு முடிக்கப்படவில்லை. வேலை அட்டை {4 via வழியாக செயல்பாட்டு நிலையை புதுப்பிக்கவும்., Row #{0}: Payment document is required to complete the transaction,வரிசை # {0}: பரிவர்த்தனையை முடிக்க கட்டண ஆவணம் தேவை, +Row #{0}: Quantity for Item {1} cannot be zero.,வரிசை # {0}: பொருளின் {1} அளவு பூஜ்ஜியமாக இருக்க முடியாது, Row #{0}: Serial No {1} does not belong to Batch {2},வரிசை # {0}: வரிசை எண் {1 B தொகுதி {2 to க்கு சொந்தமானது அல்ல, Row #{0}: Service End Date cannot be before Invoice Posting Date,வரிசை # {0}: விலைப்பட்டியல் இடுகையிடும் தேதிக்கு முன் சேவை முடிவு தேதி இருக்கக்கூடாது, Row #{0}: Service Start Date cannot be greater than Service End Date,வரிசை # {0}: சேவை தொடக்க தேதி சேவை முடிவு தேதியை விட அதிகமாக இருக்கக்கூடாது, diff --git a/erpnext/translations/te.csv b/erpnext/translations/te.csv index 22fd7d7d1d6b..278a22299927 100644 --- a/erpnext/translations/te.csv +++ b/erpnext/translations/te.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,వరుస {0}: దయచేసి అమ్మకపు పన్నులు మరియు ఛార్జీలలో పన్ను మినహాయింపు కారణాన్ని సెట్ చేయండి, Row {0}: Please set the Mode of Payment in Payment Schedule,వరుస {0}: దయచేసి చెల్లింపు షెడ్యూల్‌లో చెల్లింపు మోడ్‌ను సెట్ చేయండి, Row {0}: Please set the correct code on Mode of Payment {1},అడ్డు వరుస {0}: దయచేసి సరైన కోడ్‌ను చెల్లింపు మోడ్ {1 on లో సెట్ చేయండి, -Row {0}: Qty is mandatory,రో {0}: Qty తప్పనిసరి, Row {0}: Quality Inspection rejected for item {1},అడ్డు వరుస {0}: అంశం {1 item కోసం నాణ్యత తనిఖీ తిరస్కరించబడింది, Row {0}: UOM Conversion Factor is mandatory,రో {0}: UoM మార్పిడి ఫాక్టర్ తప్పనిసరి, Row {0}: select the workstation against the operation {1},అడ్డు వరుస {0}: ఆపరేషన్‌కు వ్యతిరేకంగా వర్క్‌స్టేషన్‌ను ఎంచుకోండి {1}, @@ -3461,7 +3460,6 @@ Issue Type.,ఇష్యూ రకం., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","ఇది సర్వర్ యొక్క చారల కాన్ఫిగరేషన్తో సమస్య ఉన్నట్లు తెలుస్తోంది. వైఫల్యం విషయంలో, మీ ఖాతాకు మొత్తం తిరిగి చెల్లించబడుతుంది.", Item Reported,అంశం నివేదించబడింది, Item listing removed,అంశం జాబితా తీసివేయబడింది, -Item quantity can not be zero,అంశం పరిమాణం సున్నా కాదు, Item taxes updated,అంశం పన్నులు నవీకరించబడ్డాయి, Item {0}: {1} qty produced. ,అంశం {0}: {1} qty ఉత్పత్తి., Joining Date can not be greater than Leaving Date,చేరిన తేదీ లీవింగ్ డేట్ కంటే ఎక్కువ కాదు, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},అడ్డు వరుస # {0}: వ్యయ కేంద్రం {1 company కంపెనీ {2} కు చెందినది కాదు, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,అడ్డు వరుస # {0}: వర్క్ ఆర్డర్ {3 in లో పూర్తయిన వస్తువుల {2} qty కోసం ఆపరేషన్ {1 complete పూర్తి కాలేదు. దయచేసి జాబ్ కార్డ్ {4 via ద్వారా ఆపరేషన్ స్థితిని నవీకరించండి., Row #{0}: Payment document is required to complete the transaction,అడ్డు వరుస # {0}: లావాదేవీని పూర్తి చేయడానికి చెల్లింపు పత్రం అవసరం, +Row #{0}: Quantity for Item {1} cannot be zero.,అడ్డు వరుస # {0}: అంశం {1} యొక్క పరిమాణం సున్నా కాదు, Row #{0}: Serial No {1} does not belong to Batch {2},అడ్డు వరుస # {0}: సీరియల్ సంఖ్య {1 B బ్యాచ్ {2 to కి చెందినది కాదు, Row #{0}: Service End Date cannot be before Invoice Posting Date,అడ్డు వరుస # {0}: ఇన్వాయిస్ పోస్టింగ్ తేదీకి ముందు సేవ ముగింపు తేదీ ఉండకూడదు, Row #{0}: Service Start Date cannot be greater than Service End Date,అడ్డు వరుస # {0}: సేవా ప్రారంభ తేదీ సేవ ముగింపు తేదీ కంటే ఎక్కువగా ఉండకూడదు, diff --git a/erpnext/translations/th.csv b/erpnext/translations/th.csv index 5dfb93c585f3..997af56999ff 100644 --- a/erpnext/translations/th.csv +++ b/erpnext/translations/th.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,แถว {0}: โปรดตั้งค่าที่เหตุผลการยกเว้นภาษีในภาษีขายและค่าธรรมเนียม, Row {0}: Please set the Mode of Payment in Payment Schedule,แถว {0}: โปรดตั้งค่าโหมดการชำระเงินในกำหนดการชำระเงิน, Row {0}: Please set the correct code on Mode of Payment {1},แถว {0}: โปรดตั้งรหัสที่ถูกต้องในโหมดการชำระเงิน {1}, -Row {0}: Qty is mandatory,แถว {0}: จำนวนมีผลบังคับใช้, Row {0}: Quality Inspection rejected for item {1},แถว {0}: การตรวจสอบคุณภาพถูกปฏิเสธสำหรับรายการ {1}, Row {0}: UOM Conversion Factor is mandatory,แถว {0}: UOM ปัจจัยการแปลงมีผลบังคับใช้, Row {0}: select the workstation against the operation {1},แถว {0}: เลือกเวิร์กสเตชั่นจากการดำเนินงาน {1}, @@ -3461,7 +3460,6 @@ Issue Type.,ประเภทของปัญหา, "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.",ดูเหมือนว่ามีปัญหากับการกำหนดค่าแถบของเซิร์ฟเวอร์ ในกรณีที่เกิดความล้มเหลวจำนวนเงินจะได้รับคืนไปยังบัญชีของคุณ, Item Reported,รายการที่รายงาน, Item listing removed,ลบรายการออกแล้ว, -Item quantity can not be zero,ปริมาณสินค้าไม่สามารถเป็นศูนย์ได้, Item taxes updated,อัปเดตภาษีสินค้าแล้ว, Item {0}: {1} qty produced. ,รายการ {0}: {1} จำนวนที่ผลิต, Joining Date can not be greater than Leaving Date,วันที่เข้าร่วมต้องไม่เกินวันที่ออก, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},แถว # {0}: ศูนย์ต้นทุน {1} ไม่ได้เป็นของ บริษัท {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,แถว # {0}: การดำเนินการ {1} ไม่เสร็จสมบูรณ์สำหรับ {2} จำนวนสินค้าสำเร็จรูปในใบสั่งงาน {3} โปรดอัพเดทสถานะการทำงานผ่าน Job Card {4}, Row #{0}: Payment document is required to complete the transaction,แถว # {0}: ต้องใช้เอกสารการชำระเงินเพื่อทำธุรกรรมให้สมบูรณ์, +Row #{0}: Quantity for Item {1} cannot be zero.,แถว # {0}: ปริมาณสินค้า {1} ไม่สามารถเป็นศูนย์ได้, Row #{0}: Serial No {1} does not belong to Batch {2},แถว # {0}: หมายเลขลำดับ {1} ไม่ได้อยู่ในแบทช์ {2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,Row # {0}: วันที่สิ้นสุดการบริการไม่สามารถอยู่ก่อนวันที่ผ่านรายการใบแจ้งหนี้, Row #{0}: Service Start Date cannot be greater than Service End Date,แถว # {0}: วันที่เริ่มบริการไม่สามารถมากกว่าวันที่สิ้นสุดการให้บริการ, diff --git a/erpnext/translations/tr.csv b/erpnext/translations/tr.csv index 82d28240c151..3a6f48ddc9ee 100644 --- a/erpnext/translations/tr.csv +++ b/erpnext/translations/tr.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,{0} Satırı: Lütfen Satış Vergileri ve Masraflarında Vergi Muafiyeti Nedeni ayarını yapın, Row {0}: Please set the Mode of Payment in Payment Schedule,{0} Satırı: Lütfen Ödeme Planında Ödeme Modu ayarı, Row {0}: Please set the correct code on Mode of Payment {1},{0} Satırı: Lütfen {1} Ödeme Modunda doğru kodu ayarı, -Row {0}: Qty is mandatory,Satır {0}: Miktar cezaları, Row {0}: Quality Inspection rejected for item {1},{0} Satırı: {1} kalem için Kalite Denetimi reddedildi, Row {0}: UOM Conversion Factor is mandatory,Satır {0}: Ölçü Birimi Dönüşüm Faktörü Hizmetleri, Row {0}: select the workstation against the operation {1},{0} bilgisi: {1} işlemine karşı iş istasyonunu seçin, @@ -3460,7 +3459,6 @@ Issue Type.,Sorun Tipi., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","Sunucunun şerit çevresinde bir sorun var gibi görünüyor. Arıza durumunda, tutarları iade edilir.", Item Reported,Öğe Bildirildi, Item listing removed,öğe listesi kaldırıldı, -Item quantity can not be zero,Ürün miktarı sıfır olamaz, Item taxes updated,Öğe vergileri güncellendi, Item {0}: {1} qty produced. ,Öğe {0}: {1} adet oluşturma., Joining Date can not be greater than Leaving Date,Katılım Tarihi Ayrılık Tarihinden daha büyük olamaz, @@ -3632,6 +3630,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},"Satır # {0}: Maliyet Merkezi {1}, {2} işletme ait değil", Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Satır # {0}: {3} İş Emri'nde {2} işlenmiş ürün adedi için {1} işlemi tamamlanmadı. Lütfen çalışma halindeyken {4} Job Card ile güncelleyin., Row #{0}: Payment document is required to complete the transaction,Satır # {0}: İşlemi gizlemek için ödeme belgesi gereklidir, +Row #{0}: Quantity for Item {1} cannot be zero.,Satır # {0}: Ürün {1} miktarı sıfır olamaz., Row #{0}: Serial No {1} does not belong to Batch {2},"Satır # {0}: Seri No {1}, Parti {2} 'ye ait değil", Row #{0}: Service End Date cannot be before Invoice Posting Date,"Satır # {0}: Hizmet Bitiş Tarihi, Fatura Kayıt Tarihinden önce olamaz", Row #{0}: Service Start Date cannot be greater than Service End Date,"Satır # {0}: Hizmet Başlangıç Tarihi, Hizmet Bitiş Tarihinden fazla olamaz", diff --git a/erpnext/translations/uk.csv b/erpnext/translations/uk.csv index f77c6da35eb6..4fc5d9b828ca 100644 --- a/erpnext/translations/uk.csv +++ b/erpnext/translations/uk.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,"Рядок {0}: Будь ласка, встановіть Причини звільнення від оподаткування податками та зборами з продажу", Row {0}: Please set the Mode of Payment in Payment Schedule,"Рядок {0}: Будь ласка, встановіть Спосіб оплати у Платіжному графіку", Row {0}: Please set the correct code on Mode of Payment {1},Рядок {0}: Введіть правильний код у спосіб оплати {1}, -Row {0}: Qty is mandatory,Ряд {0}: Кількість обов'язково, Row {0}: Quality Inspection rejected for item {1},Рядок {0}: перевірку якості відхилено для елемента {1}, Row {0}: UOM Conversion Factor is mandatory,Ряд {0}: Коефіцієнт перетворення Одиниця виміру є обов'язковим, Row {0}: select the workstation against the operation {1},Рядок {0}: виберіть робочу станцію проти операції {1}, @@ -3461,7 +3460,6 @@ Issue Type.,Тип випуску, "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","Здається, існує проблема з конфігурацією смуги сервера. У випадку невдачі сума повернеться на ваш рахунок.", Item Reported,Елемент повідомлено, Item listing removed,Список елементів видалено, -Item quantity can not be zero,Кількість предмета не може дорівнювати нулю, Item taxes updated,Податки на предмет оновлено, Item {0}: {1} qty produced. ,Пункт {0}: {1} кількість створено., Joining Date can not be greater than Leaving Date,Дата приєднання не може перевищувати дату відпуску, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},Рядок № {0}: Центр витрат {1} не належить компанії {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Рядок № {0}: Операція {1} не завершена для {2} кількості готової продукції в робочому порядку {3}. Оновіть стан роботи за допомогою Job Card {4}., Row #{0}: Payment document is required to complete the transaction,Рядок № {0}: для здійснення транзакції потрібно платіжний документ, +Row #{0}: Quantity for Item {1} cannot be zero.,Рядок № {0}: Кількість предмета {1} не може дорівнювати нулю., Row #{0}: Serial No {1} does not belong to Batch {2},Рядок № {0}: Серійний номер {1} не належить до партії {2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,Рядок № {0}: Дата закінчення послуги не може бути до дати опублікування рахунка-фактури, Row #{0}: Service Start Date cannot be greater than Service End Date,"Рядок № {0}: дата початку служби не може бути більшою, ніж дата закінчення служби", diff --git a/erpnext/translations/ur.csv b/erpnext/translations/ur.csv index 4dc872be5d5d..0d7841bd5bf7 100644 --- a/erpnext/translations/ur.csv +++ b/erpnext/translations/ur.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,قطار {0}: برائے کرم سیل ٹیکس اور محصولات میں ٹیکس چھوٹ کی وجہ مقرر کریں۔, Row {0}: Please set the Mode of Payment in Payment Schedule,قطار {0}: براہ کرم ادائیگی کے نظام الاوقات میں ادائیگی کا انداز وضع کریں۔, Row {0}: Please set the correct code on Mode of Payment {1},صف {0}: براہ کرم درست کوڈ کو ادائیگی کے موڈ پر مقرر کریں {1}, -Row {0}: Qty is mandatory,صف {0}: مقدار لازمی ہے, Row {0}: Quality Inspection rejected for item {1},قطار {0}: معیار معائنہ شے کے لئے مسترد کر دیا {1}, Row {0}: UOM Conversion Factor is mandatory,صف {0}: UOM تبادلوں فیکٹر لازمی ہے, Row {0}: select the workstation against the operation {1},قطار {0}: آپریشن کے خلاف ورکشاپ کا انتخاب کریں {1}, @@ -3461,7 +3460,6 @@ Issue Type.,مسئلہ کی قسم, "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.",ایسا لگتا ہے کہ سرور کی پٹی ترتیب کے ساتھ ایک مسئلہ ہے. ناکامی کی صورت میں، رقم آپ کے اکاؤنٹ میں واپس کی جائے گی., Item Reported,آئٹم کی اطلاع دی گئی۔, Item listing removed,آئٹم کی فہرست ختم کردی گئی, -Item quantity can not be zero,آئٹم کی مقدار صفر نہیں ہوسکتی ہے۔, Item taxes updated,آئٹم ٹیکس کی تازہ کاری, Item {0}: {1} qty produced. ,آئٹم {0}: {1} کیوٹی تیار کی گئی۔, Joining Date can not be greater than Leaving Date,تاریخ میں شامل ہونا تاریخ چھوڑنے سے زیادہ نہیں ہوسکتا ہے, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},قطار # {0}: لاگت سنٹر {1 company کا تعلق کمپنی {2 to سے نہیں ہے۔, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,قطار # {0}: ورک آرڈر {3 in میں تیار شدہ سامان کی {2} مقدار کے لئے آپریشن {1 not مکمل نہیں ہوا ہے۔ براہ کرم جاب کارڈ via 4 via کے ذریعے آپریشن کی حیثیت کو اپ ڈیٹ کریں۔, Row #{0}: Payment document is required to complete the transaction,قطار # {0}: ٹرانزیکشن کو مکمل کرنے کے لئے ادائیگی دستاویز کی ضرورت ہے۔, +Row #{0}: Quantity for Item {1} cannot be zero.,قطار # {0}: آئٹم {1} کی مقدار صفر نہیں ہوسکتی ہے۔, Row #{0}: Serial No {1} does not belong to Batch {2},قطار # {0}: سیریل نمبر {1 B بیچ {2 to سے تعلق نہیں رکھتی ہے۔, Row #{0}: Service End Date cannot be before Invoice Posting Date,قطار # {0}: خدمت کی اختتامی تاریخ انوائس پوسٹ کرنے کی تاریخ سے پہلے نہیں ہوسکتی ہے, Row #{0}: Service Start Date cannot be greater than Service End Date,قطار # {0}: سروس شروع ہونے کی تاریخ سروس اختتامی تاریخ سے زیادہ نہیں ہوسکتی ہے, diff --git a/erpnext/translations/uz.csv b/erpnext/translations/uz.csv index c09aa895e92c..3f2654b9ad3d 100644 --- a/erpnext/translations/uz.csv +++ b/erpnext/translations/uz.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,"{0} qatori: Iltimos, soliqlarni to'lash va soliqlarni to'lashda soliqdan ozod qilish sababini belgilang", Row {0}: Please set the Mode of Payment in Payment Schedule,"{0} qatori: Iltimos, to'lov jadvalida to'lov usulini o'rnating", Row {0}: Please set the correct code on Mode of Payment {1},"{0} qator: Iltimos, to'lash rejimida to'g'ri kodni o'rnating {1}", -Row {0}: Qty is mandatory,Row {0}: Miqdor majburiydir, Row {0}: Quality Inspection rejected for item {1},{0} qator: {1} elementi uchun sifat nazorati rad qilindi, Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM Conversion Factor majburiydir, Row {0}: select the workstation against the operation {1},Row {0}: ish stantsiyasini {1} operatsiyasidan qarshi tanlang, @@ -3461,7 +3460,6 @@ Issue Type.,Muammo turi., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.",Serverning chiziqli konfiguratsiyasi bilan bog'liq muammo mavjud. Muvaffaqiyatsiz bo'lgan taqdirda sizning hisobingizga mablag 'qaytariladi., Item Reported,Xabar berilgan, Item listing removed,Elementlar ro‘yxati olib tashlandi, -Item quantity can not be zero,Mahsulot miqdori nolga teng bo'lolmaydi, Item taxes updated,Soliqlar yangilandi, Item {0}: {1} qty produced. ,{0}: {1} qty ishlab chiqarildi., Joining Date can not be greater than Leaving Date,Qo'shilish sanasi qoldirilgan kundan katta bo'lishi mumkin emas, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},# {0} qator: {1} Xarajatlar markazi {2} kompaniyasiga tegishli emas., Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,"# {0} qator: {3} ish tartibidagi {2} qt tayyor mahsulot uchun {1} operatsiyasi tugallanmagan. Iltimos, ish holatini {4} ish kartasi orqali yangilang.", Row #{0}: Payment document is required to complete the transaction,# {0} qator: tranzaktsiyani yakunlash uchun to'lov hujjati talab qilinadi, +Row #{0}: Quantity for Item {1} cannot be zero.,# {0} qator: Mahsulot {1} miqdori nolga teng bo'lolmaydi., Row #{0}: Serial No {1} does not belong to Batch {2},# {0} qator: {1} seriya {2} to'plamiga tegishli emas., Row #{0}: Service End Date cannot be before Invoice Posting Date,# {0} qator: xizmatni tugatish sanasi fakturani yuborish sanasidan oldin bo'lishi mumkin emas, Row #{0}: Service Start Date cannot be greater than Service End Date,# {0} qator: xizmatni boshlash sanasi xizmatning tugash sanasidan oshib ketmasligi kerak, diff --git a/erpnext/translations/vi.csv b/erpnext/translations/vi.csv index eb251a597884..dfd2083dcf54 100644 --- a/erpnext/translations/vi.csv +++ b/erpnext/translations/vi.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,Hàng {0}: Vui lòng đặt tại Lý do miễn thuế trong Thuế và phí bán hàng, Row {0}: Please set the Mode of Payment in Payment Schedule,Hàng {0}: Vui lòng đặt Chế độ thanh toán trong Lịch thanh toán, Row {0}: Please set the correct code on Mode of Payment {1},Hàng {0}: Vui lòng đặt mã chính xác cho Phương thức thanh toán {1}, -Row {0}: Qty is mandatory,Hàng {0}: Số lượng là bắt buộc, Row {0}: Quality Inspection rejected for item {1},Hàng {0}: Kiểm tra chất lượng bị từ chối cho mục {1}, Row {0}: UOM Conversion Factor is mandatory,Hàng {0}: Nhân tố thay đổi UOM là bắt buộc, Row {0}: select the workstation against the operation {1},Hàng {0}: chọn máy trạm chống lại hoạt động {1}, @@ -3461,7 +3460,6 @@ Issue Type.,Các loại vấn đề., "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.","Dường như có sự cố với cấu hình sọc của máy chủ. Trong trường hợp thất bại, số tiền sẽ được hoàn trả vào tài khoản của bạn.", Item Reported,Mục báo cáo, Item listing removed,Danh sách mục bị xóa, -Item quantity can not be zero,Số lượng mặt hàng không thể bằng không, Item taxes updated,Mục thuế được cập nhật, Item {0}: {1} qty produced. ,Mục {0}: {1} qty được sản xuất., Joining Date can not be greater than Leaving Date,Ngày tham gia không thể lớn hơn Ngày rời, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},Hàng # {0}: Trung tâm chi phí {1} không thuộc về công ty {2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Hàng # {0}: Thao tác {1} chưa được hoàn thành cho {2} qty hàng thành phẩm trong Đơn hàng công việc {3}. Vui lòng cập nhật trạng thái hoạt động thông qua Thẻ công việc {4}., Row #{0}: Payment document is required to complete the transaction,Hàng # {0}: Cần có chứng từ thanh toán để hoàn thành giao dịch, +Row #{0}: Quantity for Item {1} cannot be zero.,Hàng # {0}: Số lượng mặt hàng {1} không thể bằng không., Row #{0}: Serial No {1} does not belong to Batch {2},Hàng # {0}: Số thứ tự {1} không thuộc về Batch {2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,Hàng # {0}: Ngày kết thúc dịch vụ không thể trước Ngày đăng hóa đơn, Row #{0}: Service Start Date cannot be greater than Service End Date,Hàng # {0}: Ngày bắt đầu dịch vụ không thể lớn hơn Ngày kết thúc dịch vụ, diff --git a/erpnext/translations/zh-TW.csv b/erpnext/translations/zh-TW.csv index 0f76e97f97f0..bbdbe80d78ab 100644 --- a/erpnext/translations/zh-TW.csv +++ b/erpnext/translations/zh-TW.csv @@ -1650,7 +1650,6 @@ Laboratory Testing Datetime,實驗室測試日期時間 Add Quote,添加報價 UOM coversion factor required for UOM: {0} in Item: {1},所需的計量單位計量單位:丁文因素:{0}項:{1} Indirect Expenses,間接費用 -Row {0}: Qty is mandatory,列#{0}:數量是強制性的 Agriculture,農業 Create Sales Order,創建銷售訂單 Accounting Entry for Asset,資產會計分錄 diff --git a/erpnext/translations/zh.csv b/erpnext/translations/zh.csv index 08f8d3357876..604fcc0edcf8 100644 --- a/erpnext/translations/zh.csv +++ b/erpnext/translations/zh.csv @@ -2273,7 +2273,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,行{0}:请设置销售税和费用中的免税原因, Row {0}: Please set the Mode of Payment in Payment Schedule,行{0}:请在付款时间表中设置付款方式, Row {0}: Please set the correct code on Mode of Payment {1},行{0}:请在付款方式{1}上设置正确的代码, -Row {0}: Qty is mandatory,第{0}行的数量字段必填, Row {0}: Quality Inspection rejected for item {1},行{0}:项目{1}的质量检验被拒绝, Row {0}: UOM Conversion Factor is mandatory,行{0}:计量单位转换系数是必需的, Row {0}: select the workstation against the operation {1},行{0}:根据操作{1}选择工作站, @@ -3461,7 +3460,6 @@ Issue Type.,问题类型。, "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.",看起来服务器的条带配置存在问题。如果失败,这笔款项将退还给您的账户。, Item Reported,项目报告, Item listing removed,项目清单已删除, -Item quantity can not be zero,物品数量不能为零, Item taxes updated,物品税已更新, Item {0}: {1} qty produced. ,项目{0}:产生了{1}数量。, Joining Date can not be greater than Leaving Date,加入日期不能大于离开日期, @@ -3633,6 +3631,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},第{0}行:成本中心{1}不属于公司{2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,行#{0}:对于工作订单{3}中的{2}数量的成品,未完成操作{1}。请通过工作卡{4}更新操作状态。, Row #{0}: Payment document is required to complete the transaction,行#{0}:完成交易需要付款文件, +Row #{0}: Quantity for Item {1} cannot be zero.,行 # {0}: 商品 {1} 的数量不能为零。 Row #{0}: Serial No {1} does not belong to Batch {2},行#{0}:序列号{1}不属于批次{2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,行#{0}:服务终止日期不能早于发票过帐日期, Row #{0}: Service Start Date cannot be greater than Service End Date,行#{0}:服务开始日期不能大于服务结束日期, diff --git a/erpnext/translations/zh_tw.csv b/erpnext/translations/zh_tw.csv index dd683c5a27d7..634662f770cd 100644 --- a/erpnext/translations/zh_tw.csv +++ b/erpnext/translations/zh_tw.csv @@ -2324,7 +2324,6 @@ Row {0}: Please check 'Is Advance' against Account {1} if this is an advance ent Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges,行{0}:請設置銷售稅和費用中的免稅原因, Row {0}: Please set the Mode of Payment in Payment Schedule,行{0}:請在付款時間表中設置付款方式, Row {0}: Please set the correct code on Mode of Payment {1},行{0}:請在付款方式{1}上設置正確的代碼, -Row {0}: Qty is mandatory,列#{0}:數量是強制性的, Row {0}: Quality Inspection rejected for item {1},行{0}:項目{1}的質量檢驗被拒絕, Row {0}: UOM Conversion Factor is mandatory,行{0}:計量單位轉換係數是必需的, Row {0}: select the workstation against the operation {1},行{0}:根據操作{1}選擇工作站, @@ -3556,7 +3555,6 @@ Issue Type.,問題類型。, "It seems that there is an issue with the server's stripe configuration. In case of failure, the amount will get refunded to your account.",看起來服務器的條帶配置存在問題。如果失敗,這筆款項將退還給您的賬戶。, Item Reported,項目報告, Item listing removed,項目清單已刪除, -Item quantity can not be zero,物品數量不能為零, Item taxes updated,物品稅已更新, Item {0}: {1} qty produced. ,項目{0}:產生了{1}數量。, Joining Date can not be greater than Leaving Date,加入日期不能大於離開日期, @@ -3752,6 +3750,7 @@ Row #{0}: Cannot select Supplier Warehouse while suppling raw materials to subco Row #{0}: Cost Center {1} does not belong to company {2},第{0}行:成本中心{1}不屬於公司{2}, Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,行#{0}:對於工作訂單{3}中的{2}數量的成品,未完成操作{1}。請通過工作卡{4}更新操作狀態。, Row #{0}: Payment document is required to complete the transaction,第{0}行:需要付款憑證才能完成交易, +Row #{0}: Quantity for Item {1} cannot be zero.,行 # {0}: 商品 {1} 的數量不能為零。 Row #{0}: Serial No {1} does not belong to Batch {2},行#{0}:序列號{1}不屬於批次{2}, Row #{0}: Service End Date cannot be before Invoice Posting Date,行#{0}:服務終止日期不能早於發票過帳日期, Row #{0}: Service Start Date cannot be greater than Service End Date,行#{0}:服務開始日期不能大於服務結束日期,